unofficial mirror of bug-gnu-emacs@gnu.org 
 help / color / mirror / code / Atom feed
* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
@ 2022-07-01 10:35 Manuel Giraud
  2022-07-01 13:33 ` Manuel Giraud
  2022-07-02 12:14 ` Lars Ingebrigtsen
  0 siblings, 2 replies; 26+ messages in thread
From: Manuel Giraud @ 2022-07-01 10:35 UTC (permalink / raw)
  To: 56335

[-- Attachment #1: Type: text/plain, Size: 584 bytes --]


Hi,

Regarding this conversation:
https://lists.gnu.org/archive/html/help-gnu-emacs/2022-06/msg00638.html

I have try to improve longlines-mode to detect more (and user settable)
breakpoints into long lines.  I have tested it on the file from the
cited conversation and a book (sentences with spaces) on one line.  It
seems to work for me but it might need more testing.

I'd like to prepare another patch afterward to be able to find
breakpoint past fill-column.  For example, the file from the
conversation fails to break after some lines because it contains
*really* long words.


[-- Warning: decoded text below may be mangled, UTF-8 assumed --]
[-- Attachment #2: 0001-Add-more-separators-to-longlines-mode.patch --]
[-- Type: text/x-patch, Size: 8488 bytes --]

From 924f2097698103e08c2668c987b0fc25d1365918 Mon Sep 17 00:00:00 2001
From: Manuel Giraud <manuel@ledu-giraud.fr>
Date: Fri, 1 Jul 2022 12:02:42 +0200
Subject: [PATCH] Add more separators to longlines-mode.

* lisp/obsolete/longlines.el (longlines-breakpoint-chars): New
custom to have multiple breakpoint chars.
(longlines-set-breakpoint): Add a target-column parameter and use
`longlines-breakpoint-chars'.
(longlines-find-break-backward, longlines-find-break-foreward):
Use `longlines-breakpoint-chars'.
(longlines-wrap-line): Do not insert space upon merging, just
remove the soft newline. Fix "space before tab" in indent.
(longlines-merge-lines-p): Use the new target-column parameter to
find out if the next line could be merged with the current one.
(longlines-encode-region): Do not replace a soft newline with a
space, just remove it.
* etc/NEWS: New user option 'longlines-breakpoint-chars'
---
 etc/NEWS                   |  5 ++
 lisp/obsolete/longlines.el | 99 ++++++++++++++++++--------------------
 2 files changed, 52 insertions(+), 52 deletions(-)

diff --git a/etc/NEWS b/etc/NEWS
index e757435ff9..1457f35c50 100644
--- a/etc/NEWS
+++ b/etc/NEWS
@@ -419,6 +419,11 @@ including those typed in response to passwords prompt (this was the
 previous behavior).  The default is nil, which inhibits recording of
 passwords.
 
++++
+** New user option 'longlines-breakpoint-chars'.
+This is a string containing chars that could be used as breakpoint in
+longlines mode.
+
 +++
 ** New function 'command-query'.
 This function makes its argument command prompt the user for
diff --git a/lisp/obsolete/longlines.el b/lisp/obsolete/longlines.el
index 731f47794c..8705172c5e 100644
--- a/lisp/obsolete/longlines.el
+++ b/lisp/obsolete/longlines.el
@@ -73,6 +73,10 @@ longlines-show-effect
 This is used when `longlines-show-hard-newlines' is on."
   :type 'string)
 
+(defcustom longlines-breakpoint-chars " ;,|"
+  "A bag of separator chars for longlines."
+  :type 'string)
+
 ;;; Internal variables
 
 (defvar longlines-wrap-beg nil)
@@ -273,11 +277,8 @@ longlines-wrap-line
   "If the current line needs to be wrapped, wrap it and return nil.
 If wrapping is performed, point remains on the line.  If the line does
 not need to be wrapped, move point to the next line and return t."
-  (if (longlines-set-breakpoint)
+  (if (longlines-set-breakpoint fill-column)
       (progn (insert-before-markers-and-inherit ?\n)
-	     (backward-char 1)
-             (delete-char -1)
-	     (forward-char 1)
              nil)
     (if (longlines-merge-lines-p)
         (progn (end-of-line)
@@ -286,58 +287,59 @@ longlines-wrap-line
      ;; replace these two newlines by a single space.  Unfortunately,
      ;; this breaks the conservation of (spaces + newlines), so we
      ;; have to fiddle with longlines-wrap-point.
-	       (if (or (prog1 (bolp) (forward-char 1)) (eolp))
-		   (progn
-		     (delete-char -1)
-		     (if (> longlines-wrap-point (point))
-			 (setq longlines-wrap-point
-			       (1- longlines-wrap-point))))
-		 (insert-before-markers-and-inherit ?\s)
-		 (backward-char 1)
-		 (delete-char -1)
-		 (forward-char 1))
+               (if (or (prog1 (bolp) (forward-char 1)) (eolp))
+	           (progn
+	             (delete-char -1)
+	             (if (> longlines-wrap-point (point))
+		         (setq longlines-wrap-point
+		               (1- longlines-wrap-point))))
+	         (delete-char -1))
                nil)
       (forward-line 1)
       t)))
 
-(defun longlines-set-breakpoint ()
+(defun longlines-set-breakpoint (target-column)
   "Place point where we should break the current line, and return t.
 If the line should not be broken, return nil; point remains on the
 line."
-  (move-to-column fill-column)
-  (if (and (re-search-forward "[^ ]" (line-end-position) 1)
-           (> (current-column) fill-column))
-      ;; This line is too long.  Can we break it?
-      (or (longlines-find-break-backward)
-          (progn (move-to-column fill-column)
-                 (longlines-find-break-forward)))))
+  (move-to-column target-column)
+  (let ((non-breakpoint-re (format "[^%s]" longlines-breakpoint-chars)))
+    (if (and (re-search-forward non-breakpoint-re (line-end-position) t 1)
+             (> (current-column) target-column))
+        ;; This line is too long.  Can we break it?
+        (or (longlines-find-break-backward)
+            (progn (move-to-column target-column)
+                   (longlines-find-break-forward))))))
 
 (defun longlines-find-break-backward ()
   "Move point backward to the first available breakpoint and return t.
 If no breakpoint is found, return nil."
-  (and (search-backward " " (line-beginning-position) 1)
-       (save-excursion
-         (skip-chars-backward " " (line-beginning-position))
-         (null (bolp)))
-       (progn (forward-char 1)
-              (if (and fill-nobreak-predicate
-                       (run-hook-with-args-until-success
-                        'fill-nobreak-predicate))
-                  (progn (skip-chars-backward " " (line-beginning-position))
-                         (longlines-find-break-backward))
-                t))))
+  (let ((breakpoint-re (format "[%s]" longlines-breakpoint-chars)))
+    (and (re-search-backward breakpoint-re (line-beginning-position) t 1)
+         (save-excursion
+           (skip-chars-backward longlines-breakpoint-chars (line-beginning-position))
+           (null (bolp)))
+         (progn (forward-char 1)
+                (if (and fill-nobreak-predicate
+                         (run-hook-with-args-until-success
+                          'fill-nobreak-predicate))
+                    (progn (skip-chars-backward longlines-breakpoint-chars
+                                                (line-beginning-position))
+                           (longlines-find-break-backward))
+                  t)))))
 
 (defun longlines-find-break-forward ()
   "Move point forward to the first available breakpoint and return t.
 If no break point is found, return nil."
-  (and (search-forward " " (line-end-position) 1)
-       (progn (skip-chars-forward " " (line-end-position))
-              (null (eolp)))
-       (if (and fill-nobreak-predicate
-                (run-hook-with-args-until-success
-                 'fill-nobreak-predicate))
-           (longlines-find-break-forward)
-         t)))
+  (let ((breakpoint-re (format "[%s]" longlines-breakpoint-chars)))
+    (and (search-forward breakpoint-re (line-end-position) t 1)
+         (progn (skip-chars-forward longlines-breakpoint-chars (line-end-position))
+                (null (eolp)))
+         (if (and fill-nobreak-predicate
+                  (run-hook-with-args-until-success
+                   'fill-nobreak-predicate))
+             (longlines-find-break-forward)
+           t))))
 
 (defun longlines-merge-lines-p ()
   "Return t if part of the next line can fit onto the current line.
@@ -348,12 +350,7 @@ longlines-merge-lines-p
          (null (get-text-property (point) 'hard))
          (let ((space (- fill-column (current-column))))
            (forward-line 1)
-           (if (eq (char-after) ? )
-               t ; We can always merge some spaces
-             (<= (if (search-forward " " (line-end-position) 1)
-                     (current-column)
-                   (1+ (current-column)))
-                 space))))))
+           (longlines-set-breakpoint (max 0 (1- space)))))))
 
 (defun longlines-decode-region (&optional beg end)
   "Turn all newlines between BEG and END into hard newlines.
@@ -372,7 +369,7 @@ longlines-decode-buffer
   (longlines-decode-region (point-min) (point-max)))
 
 (defun longlines-encode-region (beg end &optional _buffer)
-  "Replace each soft newline between BEG and END with exactly one space.
+  "Remove each soft newline between BEG and END.
 Hard newlines are left intact.  The optional argument BUFFER exists for
 compatibility with `format-alist', and is ignored."
   (save-excursion
@@ -382,10 +379,8 @@ longlines-encode-region
       (while (search-forward "\n" reg-max t)
 	(let ((pos (match-beginning 0)))
 	  (unless (get-text-property pos 'hard)
-	    (goto-char (1+ pos))
-	    (insert-and-inherit " ")
-	    (delete-region pos (1+ pos))
-            (remove-text-properties pos (1+ pos) '(hard nil)))))
+            (remove-text-properties pos (1+ pos) '(hard nil))
+            (delete-region pos (1+ pos)))))
       (set-buffer-modified-p mod)
       end)))
 
-- 
2.36.1


[-- Attachment #3: Type: text/plain, Size: 7832 bytes --]




In GNU Emacs 29.0.50 (build 1, x86_64-unknown-openbsd7.1, X toolkit, cairo version 1.17.6, Xaw scroll bars)
 of 2022-06-30 built on elite.giraud
Repository revision: 77e99dcacb57cae558f833334a8367fbc9b4fd8a
Repository branch: master
Windowing system distributor 'The X.Org Foundation', version 11.0.12101003
System Description: OpenBSD elite.giraud 7.1 GENERIC.MP#579 amd64

Configured using:
 'configure --prefix=/home/manuel/emacs --bindir=/home/manuel/bin
 --with-x-toolkit=athena --without-sound --without-compress-install
 CPPFLAGS=-I/usr/local/include LDFLAGS=-L/usr/local/lib'

Configured features:
CAIRO DBUS FREETYPE GIF GLIB GMP GNUTLS GSETTINGS HARFBUZZ JPEG JSON
LCMS2 LIBOTF LIBXML2 MODULES NOTIFY KQUEUE PDUMPER PNG RSVG SQLITE3
THREADS TIFF TOOLKIT_SCROLL_BARS WEBP X11 XDBE XIM XINPUT2 XPM LUCID
ZLIB

Important settings:
  value of $LC_ALL: en_US.UTF-8
  locale-coding-system: utf-8-unix

Major mode: Group

Minor modes in effect:
  global-git-commit-mode: t
  magit-auto-revert-mode: t
  gnus-topic-mode: t
  icomplete-mode: t
  display-time-mode: t
  gnus-undo-mode: t
  shell-dirtrack-mode: t
  global-so-long-mode: t
  repeat-mode: t
  global-eldoc-mode: t
  show-paren-mode: t
  electric-indent-mode: t
  mouse-wheel-mode: t
  menu-bar-mode: t
  file-name-shadow-mode: t
  global-font-lock-mode: t
  font-lock-mode: t
  buffer-read-only: t
  line-number-mode: t
  indent-tabs-mode: t
  transient-mark-mode: t
  auto-composition-mode: t
  auto-encryption-mode: t
  auto-compression-mode: t

Load-path shadows:
/home/manuel/.emacs.d/elpa/transient-20220527.2213/transient hides /home/manuel/emacs/share/emacs/29.0.50/lisp/transient

Features:
(shadow emacsbug ispell vc-hg vc-bzr vc-src vc-sccs vc-cvs vc-rcs
log-view vc-dir ewoc emacs-news-mode goto-addr vc-annotate vc ibuf-ext
ibuffer ibuffer-loaddefs whitespace ediff ediff-merg ediff-mult
ediff-wind ediff-diff ediff-help ediff-init ediff-util shortdoc dabbrev
cl-print debug backtrace vc-git bug-reference magit-patch magit-extras
face-remap magit-bookmark magit-submodule magit-obsolete magit-blame
magit-stash magit-reflog magit-bisect magit-push magit-pull magit-fetch
magit-clone magit-remote magit-commit magit-sequence magit-notes
magit-worktree magit-tag magit-merge magit-branch magit-reset
magit-files magit-refs magit-status magit magit-repos magit-apply
magit-wip magit-log which-func magit-diff git-commit log-edit pcvs-util
add-log magit-core magit-autorevert autorevert magit-margin
magit-transient magit-process with-editor magit-mode transient magit-git
magit-base magit-section dash compat-27 compat-26 compat descr-text
cus-start help-fns radix-tree wdired gnus-dired executable vc-dispatcher
vc-svn smerge-mode diff diff-mode term ehelp pulse tabify imenu man
pcmpl-unix pcmpl-linux sort gnus-cite shr-color mail-extr textsec
uni-scripts idna-mapping ucs-normalize uni-confusable textsec-check
gnus-async gnus-bcklg gnus-ml gnus-topic mm-archive url-http url-gw
url-cache url-auth qp utf-7 imap rfc2104 nnrss mm-url nndoc nndraft nnmh
network-stream nsm nnfolder nnml gnus-agent gnus-srvr gnus-score
score-mode nnvirtual nntp gnus-cache w3m w3m-hist w3m-fb bookmark-w3m
w3m-ems w3m-favicon w3m-image tab-line w3m-proc w3m-util misearch
multi-isearch longlines paredit edmacro icomplete time battery
exwm-randr xcb-randr exwm-config exwm exwm-input xcb-keysyms xcb-xkb
exwm-manage exwm-floating xcb-cursor xcb-render exwm-layout
exwm-workspace exwm-core xcb-ewmh xcb-icccm xcb xcb-xproto xcb-types
xcb-debug kmacro server stimmung-themes modus-operandi-theme
modus-themes osm bookmark mingus libmpdee transmission diary-lib
diary-loaddefs color calc-bin calc-ext calc calc-loaddefs rect calc-macs
w3m-load mu4e mu4e-org mu4e-main mu4e-view mu4e-view-gnus
mu4e-view-common mu4e-headers mu4e-compose mu4e-context mu4e-draft
mu4e-actions ido rfc2368 smtpmail mu4e-mark mu4e-proc mu4e-utils
doc-view filenotify jka-compr image-mode exif mu4e-lists mu4e-message
flow-fill mule-util hl-line mu4e-vars mu4e-meta supercite regi
ebdb-message ebdb-gnus gnus-msg gnus-art mm-uu mml2015 mm-view mml-smime
smime gnutls dig gnus-sum shr pixel-fill kinsoku url-file url-dired svg
dom gnus-group gnus-undo gnus-start gnus-dbus gnus-cloud nnimap nnmail
mail-source utf7 netrc nnoo gnus-spec gnus-int gnus-range message
sendmail yank-media puny rfc822 mml mml-sec epa derived epg rfc6068
epg-config mm-decode mm-bodies mm-encode mail-parse rfc2231 rfc2047
rfc2045 ietf-drums gmm-utils mailheader gnus-win gnus nnheader gnus-util
mail-utils range mm-util mail-prsvr ebdb-mua ebdb-com crm ebdb-format
ebdb mailabbrev eieio-opt cl-extra help-mode speedbar ezimage dframe
eieio-base pcase timezone org ob ob-tangle ob-ref ob-lob ob-table ob-exp
org-macro org-footnote org-src ob-comint org-pcomplete org-list
org-faces org-entities org-version ob-emacs-lisp ob-core ob-eval
org-table oc-basic bibtex ol rx org-keys oc org-compat org-macs
org-loaddefs find-func cal-menu calendar cal-loaddefs visual-basic-mode
web-mode disp-table erlang-start smart-tabs-mode skeleton cc-mode
cc-fonts cc-guess cc-menus cc-cmds cc-styles cc-align cc-engine cc-vars
cc-defs movitz-slime cl slime-asdf grep slime-tramp tramp tramp-loaddefs
trampver tramp-integration cus-edit cus-load wid-edit files-x
tramp-compat shell pcomplete parse-time iso8601 time-date ls-lisp
format-spec slime-fancy slime-indentation slime-cl-indent cl-indent
slime-trace-dialog slime-fontifying-fu slime-package-fu slime-references
slime-compiler-notes-tree advice slime-scratch slime-presentations
bridge slime-macrostep macrostep slime-mdot-fu slime-enclosing-context
slime-fuzzy slime-fancy-trace slime-fancy-inspector slime-c-p-c
slime-editing-commands slime-autodoc slime-repl slime-parse slime
compile text-property-search etags fileloop generator xref project
arc-mode archive-mode noutline outline pp comint ansi-color ring
hyperspec thingatpt slime-autoloads dired-aux dired-x dired
dired-loaddefs so-long notifications dbus xml repeat easy-mmode tex-site
hyperbole-autoloads magit-autoloads git-commit-autoloads
magit-section-autoloads dash-autoloads rust-mode-autoloads
with-editor-autoloads info compat-autoloads package browse-url url
url-proxy url-privacy url-expand url-methods url-history url-cookie
generate-lisp-file url-domsuf url-util mailcap url-handlers url-parse
auth-source cl-seq eieio eieio-core cl-macs eieio-loaddefs
password-cache json subr-x map byte-opt gv bytecomp byte-compile cconv
url-vars cl-loaddefs cl-lib rmc iso-transl tooltip eldoc paren electric
uniquify ediff-hook vc-hooks lisp-float-type elisp-mode mwheel
term/x-win x-win term/common-win x-dnd tool-bar dnd fontset image
regexp-opt fringe tabulated-list replace newcomment text-mode lisp-mode
prog-mode register page tab-bar menu-bar rfn-eshadow isearch easymenu
timer select scroll-bar mouse jit-lock font-lock syntax font-core
term/tty-colors frame minibuffer nadvice seq simple cl-generic
indonesian philippine cham georgian utf-8-lang misc-lang vietnamese
tibetan thai tai-viet lao korean japanese eucjp-ms cp51932 hebrew greek
romanian slovak czech european ethiopic indian cyrillic chinese
composite emoji-zwj charscript charprop case-table epa-hook
jka-cmpr-hook help abbrev obarray oclosure cl-preloaded button loaddefs
faces cus-face macroexp files window text-properties overlay sha1 md5
base64 format env code-pages mule custom widget keymap
hashtable-print-readable backquote threads dbusbind kqueue lcms2
dynamic-setting system-font-setting font-render-setting cairo x-toolkit
xinput2 x multi-tty make-network-process emacs)

Memory information:
((conses 16 1135909 389038)
 (symbols 48 78353 14)
 (strings 32 379818 23058)
 (string-bytes 1 25245556)
 (vectors 16 195351)
 (vector-slots 8 3611718 203761)
 (floats 8 702 681)
 (intervals 56 23236 3722)
 (buffers 992 53))

-- 
Manuel Giraud

^ permalink raw reply related	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-01 10:35 bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode Manuel Giraud
@ 2022-07-01 13:33 ` Manuel Giraud
  2022-07-02 12:14 ` Lars Ingebrigtsen
  1 sibling, 0 replies; 26+ messages in thread
From: Manuel Giraud @ 2022-07-01 13:33 UTC (permalink / raw)
  To: 56335

[-- Attachment #1: Type: text/plain, Size: 439 bytes --]

Manuel Giraud <manuel@ledu-giraud.fr> writes:

[...]

> I'd like to prepare another patch afterward to be able to find
> breakpoint past fill-column.  For example, the file from the
> conversation fails to break after some lines because it contains
> *really* long words.

I missed a typo in my previous patch. Here is the new one. It also fixes
the issue of the file with really long words (I also add it as
attachment to ease testing).


[-- Warning: decoded text below may be mangled, UTF-8 assumed --]
[-- Attachment #2: 0001-Add-more-separators-to-longlines-mode.patch --]
[-- Type: text/x-patch, Size: 8491 bytes --]

From 317d4973ca49e7458724a0c8d8bdf57a65a028cc Mon Sep 17 00:00:00 2001
From: Manuel Giraud <manuel@ledu-giraud.fr>
Date: Fri, 1 Jul 2022 12:02:42 +0200
Subject: [PATCH] Add more separators to longlines-mode.

* lisp/obsolete/longlines.el (longlines-breakpoint-chars): New
custom to have multiple breakpoint chars.
(longlines-set-breakpoint): Add a target-column parameter and use
`longlines-breakpoint-chars'.
(longlines-find-break-backward, longlines-find-break-foreward):
Use `longlines-breakpoint-chars'.
(longlines-wrap-line): Do not insert space upon merging, just
remove the soft newline. Fix "space before tab" in indent.
(longlines-merge-lines-p): Use the new target-column parameter to
find out if the next line could be merged with the current one.
(longlines-encode-region): Do not replace a soft newline with a
space, just remove it.
* etc/NEWS: New user option 'longlines-breakpoint-chars'
---
 etc/NEWS                   |  5 ++
 lisp/obsolete/longlines.el | 99 ++++++++++++++++++--------------------
 2 files changed, 52 insertions(+), 52 deletions(-)

diff --git a/etc/NEWS b/etc/NEWS
index e757435ff9..1457f35c50 100644
--- a/etc/NEWS
+++ b/etc/NEWS
@@ -419,6 +419,11 @@ including those typed in response to passwords prompt (this was the
 previous behavior).  The default is nil, which inhibits recording of
 passwords.
 
++++
+** New user option 'longlines-breakpoint-chars'.
+This is a string containing chars that could be used as breakpoint in
+longlines mode.
+
 +++
 ** New function 'command-query'.
 This function makes its argument command prompt the user for
diff --git a/lisp/obsolete/longlines.el b/lisp/obsolete/longlines.el
index 731f47794c..5b67d4c9ac 100644
--- a/lisp/obsolete/longlines.el
+++ b/lisp/obsolete/longlines.el
@@ -73,6 +73,10 @@ longlines-show-effect
 This is used when `longlines-show-hard-newlines' is on."
   :type 'string)
 
+(defcustom longlines-breakpoint-chars " ;,|"
+  "A bag of separator chars for longlines."
+  :type 'string)
+
 ;;; Internal variables
 
 (defvar longlines-wrap-beg nil)
@@ -273,11 +277,8 @@ longlines-wrap-line
   "If the current line needs to be wrapped, wrap it and return nil.
 If wrapping is performed, point remains on the line.  If the line does
 not need to be wrapped, move point to the next line and return t."
-  (if (longlines-set-breakpoint)
+  (if (longlines-set-breakpoint fill-column)
       (progn (insert-before-markers-and-inherit ?\n)
-	     (backward-char 1)
-             (delete-char -1)
-	     (forward-char 1)
              nil)
     (if (longlines-merge-lines-p)
         (progn (end-of-line)
@@ -286,58 +287,59 @@ longlines-wrap-line
      ;; replace these two newlines by a single space.  Unfortunately,
      ;; this breaks the conservation of (spaces + newlines), so we
      ;; have to fiddle with longlines-wrap-point.
-	       (if (or (prog1 (bolp) (forward-char 1)) (eolp))
-		   (progn
-		     (delete-char -1)
-		     (if (> longlines-wrap-point (point))
-			 (setq longlines-wrap-point
-			       (1- longlines-wrap-point))))
-		 (insert-before-markers-and-inherit ?\s)
-		 (backward-char 1)
-		 (delete-char -1)
-		 (forward-char 1))
+               (if (or (prog1 (bolp) (forward-char 1)) (eolp))
+	           (progn
+	             (delete-char -1)
+	             (if (> longlines-wrap-point (point))
+		         (setq longlines-wrap-point
+		               (1- longlines-wrap-point))))
+	         (delete-char -1))
                nil)
       (forward-line 1)
       t)))
 
-(defun longlines-set-breakpoint ()
+(defun longlines-set-breakpoint (target-column)
   "Place point where we should break the current line, and return t.
 If the line should not be broken, return nil; point remains on the
 line."
-  (move-to-column fill-column)
-  (if (and (re-search-forward "[^ ]" (line-end-position) 1)
-           (> (current-column) fill-column))
-      ;; This line is too long.  Can we break it?
-      (or (longlines-find-break-backward)
-          (progn (move-to-column fill-column)
-                 (longlines-find-break-forward)))))
+  (move-to-column target-column)
+  (let ((non-breakpoint-re (format "[^%s]" longlines-breakpoint-chars)))
+    (if (and (re-search-forward non-breakpoint-re (line-end-position) t 1)
+             (> (current-column) target-column))
+        ;; This line is too long.  Can we break it?
+        (or (longlines-find-break-backward)
+            (progn (move-to-column target-column)
+                   (longlines-find-break-forward))))))
 
 (defun longlines-find-break-backward ()
   "Move point backward to the first available breakpoint and return t.
 If no breakpoint is found, return nil."
-  (and (search-backward " " (line-beginning-position) 1)
-       (save-excursion
-         (skip-chars-backward " " (line-beginning-position))
-         (null (bolp)))
-       (progn (forward-char 1)
-              (if (and fill-nobreak-predicate
-                       (run-hook-with-args-until-success
-                        'fill-nobreak-predicate))
-                  (progn (skip-chars-backward " " (line-beginning-position))
-                         (longlines-find-break-backward))
-                t))))
+  (let ((breakpoint-re (format "[%s]" longlines-breakpoint-chars)))
+    (and (re-search-backward breakpoint-re (line-beginning-position) t 1)
+         (save-excursion
+           (skip-chars-backward longlines-breakpoint-chars (line-beginning-position))
+           (null (bolp)))
+         (progn (forward-char 1)
+                (if (and fill-nobreak-predicate
+                         (run-hook-with-args-until-success
+                          'fill-nobreak-predicate))
+                    (progn (skip-chars-backward longlines-breakpoint-chars
+                                                (line-beginning-position))
+                           (longlines-find-break-backward))
+                  t)))))
 
 (defun longlines-find-break-forward ()
   "Move point forward to the first available breakpoint and return t.
 If no break point is found, return nil."
-  (and (search-forward " " (line-end-position) 1)
-       (progn (skip-chars-forward " " (line-end-position))
-              (null (eolp)))
-       (if (and fill-nobreak-predicate
-                (run-hook-with-args-until-success
-                 'fill-nobreak-predicate))
-           (longlines-find-break-forward)
-         t)))
+  (let ((breakpoint-re (format "[%s]" longlines-breakpoint-chars)))
+    (and (re-search-forward breakpoint-re (line-end-position) t 1)
+         (progn (skip-chars-forward longlines-breakpoint-chars (line-end-position))
+                (null (eolp)))
+         (if (and fill-nobreak-predicate
+                  (run-hook-with-args-until-success
+                   'fill-nobreak-predicate))
+             (longlines-find-break-forward)
+           t))))
 
 (defun longlines-merge-lines-p ()
   "Return t if part of the next line can fit onto the current line.
@@ -348,12 +350,7 @@ longlines-merge-lines-p
          (null (get-text-property (point) 'hard))
          (let ((space (- fill-column (current-column))))
            (forward-line 1)
-           (if (eq (char-after) ? )
-               t ; We can always merge some spaces
-             (<= (if (search-forward " " (line-end-position) 1)
-                     (current-column)
-                   (1+ (current-column)))
-                 space))))))
+           (longlines-set-breakpoint (max 0 (1- space)))))))
 
 (defun longlines-decode-region (&optional beg end)
   "Turn all newlines between BEG and END into hard newlines.
@@ -372,7 +369,7 @@ longlines-decode-buffer
   (longlines-decode-region (point-min) (point-max)))
 
 (defun longlines-encode-region (beg end &optional _buffer)
-  "Replace each soft newline between BEG and END with exactly one space.
+  "Remove each soft newline between BEG and END.
 Hard newlines are left intact.  The optional argument BUFFER exists for
 compatibility with `format-alist', and is ignored."
   (save-excursion
@@ -382,10 +379,8 @@ longlines-encode-region
       (while (search-forward "\n" reg-max t)
 	(let ((pos (match-beginning 0)))
 	  (unless (get-text-property pos 'hard)
-	    (goto-char (1+ pos))
-	    (insert-and-inherit " ")
-	    (delete-region pos (1+ pos))
-            (remove-text-properties pos (1+ pos) '(hard nil)))))
+            (remove-text-properties pos (1+ pos) '(hard nil))
+            (delete-region pos (1+ pos)))))
       (set-buffer-modified-p mod)
       end)))
 
-- 
2.36.1


[-- Attachment #3: __tmp.symbols --]
[-- Type: application/octet-stream, Size: 896217 bytes --]

16Bits_AssocWord|16Bits_CombiCollector|16Bits_DepthOfPcElement|16Bits_Equal|16Bits_ExponentOfPcElement|16Bits_ExponentSums1|16Bits_ExponentSums3|16Bits_ExponentSyllable|16Bits_ExponentsOfPcElement|16Bits_ExtRepOfObj|16Bits_GeneratorSyllable|16Bits_HeadByNumber|16Bits_LeadingExponentOfPcElement|16Bits_LengthWord|16Bits_Less|16Bits_ObjByVector|16Bits_Power|16Bits_Product|16Bits_Quotient|16Bits_SingleCollector|1stSyzygy|2CoreducedChainComplex|32Bits_AssocWord|32Bits_CombiCollector|32Bits_DepthOfPcElement|32Bits_Equal|32Bits_ExponentOfPcElement|32Bits_ExponentSums1|32Bits_ExponentSums3|32Bits_ExponentSyllable|32Bits_ExponentsOfPcElement|32Bits_ExtRepOfObj|32Bits_GeneratorSyllable|32Bits_HeadByNumber|32Bits_LeadingExponentOfPcElement|32Bits_LengthWord|32Bits_Less|32Bits_ObjByVector|32Bits_Power|32Bits_Product|32Bits_Quotient|32Bits_SingleCollector|3D4fining|3NIL_DATA|4ti2Interface_BINARIES|4ti2Interface_Cut_Vector|4ti2Interface_Read_Matrix_From_File|4ti2Interface_Write_Matrix_To_File|4ti2Interface_graver_equalities|4ti2Interface_graver_equalities_in_positive_orthant|4ti2Interface_groebner|4ti2Interface_groebner_basis|4ti2Interface_groebner_matrix|4ti2Interface_hilbert_equalities_and_inequalities|4ti2Interface_hilbert_equalities_and_inequalities_in_positive_orthant|4ti2Interface_hilbert_equalities_in_positive_orthant|4ti2Interface_hilbert_inequalities|4ti2Interface_hilbert_inequalities_in_positive_orthant|4ti2Interface_zsolve_equalities_and_inequalities|4ti2Interface_zsolve_equalities_and_inequalities_in_positive_orthant|8Bits_AssocWord|8Bits_CombiCollector|8Bits_DepthOfPcElement|8Bits_Equal|8Bits_ExponentOfPcElement|8Bits_ExponentSums1|8Bits_ExponentSums3|8Bits_ExponentSyllable|8Bits_ExponentsOfPcElement|8Bits_ExtRepOfObj|8Bits_GeneratorSyllable|8Bits_HeadByNumber|8Bits_LeadingExponentOfPcElement|8Bits_LengthWord|8Bits_Less|8Bits_ObjByVector|8Bits_Power|8Bits_Product|8Bits_Quotient|8Bits_SingleCollector|@FPLLL|@FR|A2Module|ABELIAN_NUMBER_FIELDS|ABS_INT|ABS_MACFLOAT|ABS_MPFR|ABS_RAT|ACDim3Funcs|ACDim3Nr01|ACDim3Nr02|ACDim3Nr03|ACDim3Nr04|ACDim3Nr05|ACDim3Nr06|ACDim3Nr07|ACDim3Nr08|ACDim3Nr09|ACDim3Nr10|ACDim3Nr11|ACDim3Nr12|ACDim3Nr13|ACDim3Nr14|ACDim3Nr15|ACDim3Nr16|ACDim3Nr17|ACDim3Param|ACDim4Funcs|ACDim4Nr001|ACDim4Nr002|ACDim4Nr003|ACDim4Nr004|ACDim4Nr004b|ACDim4Nr005|ACDim4Nr006|ACDim4Nr007|ACDim4Nr007b|ACDim4Nr008|ACDim4Nr009|ACDim4Nr009b|ACDim4Nr010|ACDim4Nr011|ACDim4Nr012|ACDim4Nr013|ACDim4Nr014|ACDim4Nr014b|ACDim4Nr015|ACDim4Nr018|ACDim4Nr019|ACDim4Nr019b|ACDim4Nr019c|ACDim4Nr026|ACDim4Nr027|ACDim4Nr029|ACDim4Nr029b|ACDim4Nr029c|ACDim4Nr030|ACDim4Nr031|ACDim4Nr032|ACDim4Nr033|ACDim4Nr033b|ACDim4Nr033c|ACDim4Nr034|ACDim4Nr036|ACDim4Nr037|ACDim4Nr041|ACDim4Nr043|ACDim4Nr045|ACDim4Nr055|ACDim4Nr056|ACDim4Nr058|ACDim4Nr060|ACDim4Nr061|ACDim4Nr061b|ACDim4Nr061c|ACDim4Nr062|ACDim4Nr075|ACDim4Nr076|ACDim4Nr077|ACDim4Nr079|ACDim4Nr080|ACDim4Nr081|ACDim4Nr082|ACDim4Nr083|ACDim4Nr084|ACDim4Nr085|ACDim4Nr086|ACDim4Nr087|ACDim4Nr088|ACDim4Nr103|ACDim4Nr104|ACDim4Nr106|ACDim4Nr110|ACDim4Nr114|ACDim4Nr143|ACDim4Nr144|ACDim4Nr146|ACDim4Nr147|ACDim4Nr148|ACDim4Nr158|ACDim4Nr159|ACDim4Nr161|ACDim4Nr168|ACDim4Nr169|ACDim4Nr172|ACDim4Nr173|ACDim4Nr174|ACDim4Nr175|ACDim4Nr176|ACDim4Nr184|ACDim4NrB1|ACDim4NrB2|ACDim4NrB3|ACDim4NrB3b|ACDim4NrB3c|ACDim4NrB4|ACDim4NrB4b|ACDim4NrB5|ACDim4NrB5b|ACDim4NrB7|ACDim4NrB7b|ACDim4NrB8|ACDim4NrB8b|ACDim4Param|ACDim4Types|ACEAddRelators|ACEAddSubgroupGenerators|ACEAllEquivPresentations|ACEBinaryVersion|ACEConjugatesForSubgroupNormalClosure|ACEContinue|ACECosetCoincidence|ACECosetOrderFromRepresentative|ACECosetRepresentative|ACECosetRepresentatives|ACECosetTable|ACECosetTableFromGensAndRels|ACECosetsThatNormaliseSubgroup|ACECycles|ACEData|ACEDataRecord|ACEDeleteRelators|ACEDeleteSubgroupGenerators|ACEDirectoryTemporary|ACEDisplayCosetTable|ACEDumpStatistics|ACEDumpVariables|ACEExample|ACEGroupGenerators|ACEIgnoreUnknownDefault|ACEModes|ACEOptionData|ACEOptionSynonyms|ACEOrder|ACEOrders|ACEPackageVersion|ACEParameterOptions|ACEParameters|ACEPermutationRepresentation|ACEPreferredOptionName|ACEPrintResearchExample|ACEProcessIndex|ACEProcessIndices|ACEQuit|ACEQuitAll|ACERandomCoincidences|ACERandomEquivPresentations|ACERandomlyApplyCosetCoincidence|ACERead|ACEReadAll|ACEReadResearchExample|ACEReadUntil|ACERecover|ACERedo|ACERelators|ACEResurrectProcess|ACEStandardCosetNumbering|ACEStart|ACEStats|ACEStrategyOptions|ACEStyle|ACESubgroupGenerators|ACETCENUM|ACETraceWord|ACETransversal|ACEWrite|ACE_ARGS|ACE_COSET_TABLE|ACE_COSET_TABLE_STANDARD|ACE_ENUMERATION_RESULT|ACE_EQUIV_PRESENTATIONS|ACE_ERROR|ACE_ERRORS|ACE_FGENS_ARG_CHK|ACE_GAP_WORDS|ACE_GENS|ACE_IF_EXPR|ACE_INTERACT_FUNC_OPTIONS|ACE_IOINDEX|ACE_IOINDEX_AND_LIST|ACE_IOINDEX_AND_NO_VALUE|ACE_IOINDEX_AND_ONE_LIST|ACE_IOINDEX_AND_ONE_VALUE|ACE_IOINDEX_ARG_CHK|ACE_LENLEX_CHK|ACE_MODE|ACE_MODES|ACE_MODE_AFTER_SET_OPTS|ACE_OPTIONS|ACE_OPTION_SYNONYMS|ACE_OPT_ACTIONS|ACE_OPT_NAMES|ACE_OPT_SENTINELS|ACE_OPT_TRANSLATIONS|ACE_ORDER|ACE_PARAMETER|ACE_PARAMETER_WITH_LINE|ACE_PRINT_AND_EVAL|ACE_READ_AS_FUNC|ACE_READ_NEXT_LINE|ACE_RELS|ACE_STATS|ACE_VALUE_ECHO|ACE_VALUE_OPTION|ACE_VALUE_OPTION_ERROR|ACE_WORDS|ACE_WORDS_ARG_CHK|ACE_WORDS_OR_UNSORTED|ACLT|ACOSH_MACFLOAT|ACOSH_MPFR|ACOS_MACFLOAT|ACOS_MPFR|ACPcpDim3Funcs|ACPcpDim4Funcs|ACPcpGroupDim3Nr01|ACPcpGroupDim3Nr02|ACPcpGroupDim3Nr03|ACPcpGroupDim3Nr04|ACPcpGroupDim3Nr05|ACPcpGroupDim3Nr06|ACPcpGroupDim3Nr07|ACPcpGroupDim3Nr08|ACPcpGroupDim3Nr09|ACPcpGroupDim3Nr10|ACPcpGroupDim3Nr11|ACPcpGroupDim3Nr12|ACPcpGroupDim3Nr13|ACPcpGroupDim3Nr14|ACPcpGroupDim3Nr15|ACPcpGroupDim3Nr16|ACPcpGroupDim3Nr17|ACPcpGroupDim4Nr001|ACPcpGroupDim4Nr002|ACPcpGroupDim4Nr003|ACPcpGroupDim4Nr004|ACPcpGroupDim4Nr004b|ACPcpGroupDim4Nr005|ACPcpGroupDim4Nr006|ACPcpGroupDim4Nr007|ACPcpGroupDim4Nr007b|ACPcpGroupDim4Nr008|ACPcpGroupDim4Nr009|ACPcpGroupDim4Nr009b|ACPcpGroupDim4Nr010|ACPcpGroupDim4Nr011|ACPcpGroupDim4Nr012|ACPcpGroupDim4Nr013|ACPcpGroupDim4Nr014|ACPcpGroupDim4Nr014b|ACPcpGroupDim4Nr015|ACPcpGroupDim4Nr018|ACPcpGroupDim4Nr019|ACPcpGroupDim4Nr019b|ACPcpGroupDim4Nr019c|ACPcpGroupDim4Nr026|ACPcpGroupDim4Nr027|ACPcpGroupDim4Nr029|ACPcpGroupDim4Nr029b|ACPcpGroupDim4Nr029c|ACPcpGroupDim4Nr030|ACPcpGroupDim4Nr031|ACPcpGroupDim4Nr032|ACPcpGroupDim4Nr033|ACPcpGroupDim4Nr033b|ACPcpGroupDim4Nr033c|ACPcpGroupDim4Nr034|ACPcpGroupDim4Nr036|ACPcpGroupDim4Nr037|ACPcpGroupDim4Nr041|ACPcpGroupDim4Nr043|ACPcpGroupDim4Nr045|ACPcpGroupDim4Nr055|ACPcpGroupDim4Nr056|ACPcpGroupDim4Nr058|ACPcpGroupDim4Nr060|ACPcpGroupDim4Nr061|ACPcpGroupDim4Nr061b|ACPcpGroupDim4Nr061c|ACPcpGroupDim4Nr062|ACPcpGroupDim4Nr075|ACPcpGroupDim4Nr076|ACPcpGroupDim4Nr077|ACPcpGroupDim4Nr079|ACPcpGroupDim4Nr080|ACPcpGroupDim4Nr081|ACPcpGroupDim4Nr082|ACPcpGroupDim4Nr083|ACPcpGroupDim4Nr084|ACPcpGroupDim4Nr085|ACPcpGroupDim4Nr086|ACPcpGroupDim4Nr087|ACPcpGroupDim4Nr088|ACPcpGroupDim4Nr103|ACPcpGroupDim4Nr104|ACPcpGroupDim4Nr106|ACPcpGroupDim4Nr110|ACPcpGroupDim4Nr114|ACPcpGroupDim4Nr143|ACPcpGroupDim4Nr144|ACPcpGroupDim4Nr146|ACPcpGroupDim4Nr147|ACPcpGroupDim4Nr148|ACPcpGroupDim4Nr158|ACPcpGroupDim4Nr159|ACPcpGroupDim4Nr161|ACPcpGroupDim4Nr168|ACPcpGroupDim4Nr169|ACPcpGroupDim4Nr172|ACPcpGroupDim4Nr173|ACPcpGroupDim4Nr174|ACPcpGroupDim4Nr175|ACPcpGroupDim4Nr176|ACPcpGroupDim4Nr184|ACPcpGroupDim4NrB1|ACPcpGroupDim4NrB2|ACPcpGroupDim4NrB3|ACPcpGroupDim4NrB3b|ACPcpGroupDim4NrB3c|ACPcpGroupDim4NrB4|ACPcpGroupDim4NrB4b|ACPcpGroupDim4NrB5|ACPcpGroupDim4NrB5b|ACPcpGroupDim4NrB7|ACPcpGroupDim4NrB7b|ACPcpGroupDim4NrB8|ACPcpGroupDim4NrB8b|ACROREAD_FILE|ACROREAD_OPTIONS|ACTIVATE_COLOR_PROFILING|ACTIVATE_PROFILING|ACTIVITYSPARSE@FR|AClosVecLib|AClosestVectorCombinationsMatFFEVecFFE|AClosestVectorCombinationsMatFFEVecFFECoords|AClosestVectorDriver|ADDCOEFFS_GENERIC_3|ADDCOEFFS_GF2VEC_GF2VEC|ADDCOEFFS_GF2VEC_GF2VEC_MULT|ADDITIVE_INV_POLYNOMIAL|ADDITIVE_INV_RATFUN|ADD_ASSOCIATOR_LEFT|ADD_ASSOCIATOR_RIGHT|ADD_BRAIDING_LEFT|ADD_BRAIDING_RIGHT|ADD_COEFFS_VEC8BIT_2|ADD_COEFFS_VEC8BIT_3|ADD_COEVALUATION_MORPHISM_LEFT|ADD_COEVALUATION_MORPHISM_RIGHT|ADD_EQUAL_FOR_OBJECTS|ADD_EVALUATION_MORPHISM_LEFT|ADD_EVALUATION_MORPHISM_RIGHT|ADD_EVAL_RULES_TO_CATEGORY|ADD_FUNCTIONS_FOR_LEFT_PRESENTATION|ADD_FUNCTIONS_FOR_LeftPresentationsAsFreydCategoryOfCategoryOfRowsOfArbitraryRingPrecompiled|ADD_FUNCTIONS_FOR_LeftPresentationsAsFreydCategoryOfCategoryOfRowsOfCommutativeRingPrecompiled|ADD_FUNCTIONS_FOR_LeftPresentationsAsFreydCategoryOfCategoryOfRowsOfFieldPrecompiled|ADD_FUNCTIONS_FOR_MatrixCategoryPrecompiled|ADD_FUNCTIONS_FOR_RIGHT_PRESENTATION|ADD_FUNCTIONS_FOR_RightPresentationsAsFreydCategoryOfCategoryOfColumnsOfArbitraryRingPrecompiled|ADD_FUNCTIONS_FOR_RightPresentationsAsFreydCategoryOfCategoryOfColumnsOfCommutativeRingPrecompiled|ADD_FUNCTIONS_FOR_RightPresentationsAsFreydCategoryOfCategoryOfColumnsOfFieldPrecompiled|ADD_GF2VEC_GF2VEC_SHIFTED|ADD_INTERNAL_HOM_ON_MORPHISMS_LEFT|ADD_INTERNAL_HOM_ON_MORPHISMS_RIGHT|ADD_INTERNAL_HOM_ON_OBJECTS_LEFT|ADD_INTERNAL_HOM_ON_OBJECTS_RIGHT|ADD_IS_WELL_DEFINED_FOR_MORPHISM_LEFT|ADD_IS_WELL_DEFINED_FOR_MORPHISM_RIGHT|ADD_IS_WELL_DEFINED_FOR_OBJECTS|ADD_KERNEL_LEFT|ADD_KERNEL_RIGHT|ADD_LIFT_AND_COLIFT_LEFT|ADD_LIFT_AND_COLIFT_RIGHT|ADD_LIST|ADD_LIST_DEFAULT|ADD_OBJ_MAP|ADD_OBJ_SET|ADD_PRECOMPOSE_LEFT|ADD_PRECOMPOSE_RIGHT|ADD_PREDICATE_IMPLICATIONS_TO_CATEGORY|ADD_ROWVECTOR_VEC8BITS_2|ADD_ROWVECTOR_VEC8BITS_3|ADD_ROWVECTOR_VEC8BITS_5|ADD_ROWVECTOR_VECFFES_2|ADD_ROWVECTOR_VECFFES_3|ADD_ROW_VECTOR_2|ADD_ROW_VECTOR_2_FAST|ADD_ROW_VECTOR_3|ADD_ROW_VECTOR_3_FAST|ADD_ROW_VECTOR_5|ADD_ROW_VECTOR_5_FAST|ADD_SET|ADD_TENSOR_PRODUCT_ON_MORPHISMS|ADD_TENSOR_PRODUCT_ON_OBJECTS_LEFT|ADD_TENSOR_PRODUCT_ON_OBJECTS_RIGHT|ADD_TENSOR_UNIT_LEFT|ADD_TENSOR_UNIT_RIGHT|ADD_THEOREM_TO_CATEGORY|ADD_TO_LIST_ENTRIES_PLIST_RANGE|ADD_UNITOR|ADJACENCYBASESWITHONE@FR|ADJACENCYPOSET@FR|ADJACENCY_MATRIX|ADJUST_FIELDS_VEC8BIT|ADOPT|ADOPT_NORECURSE|AFLT|AFiniteFreeResolution|AG|AGBoundedOrbrep|AGEST|AGESTC|AGPointFlatBlockDesign|AGR|AGRGNAN|AGRParseFilenameFormat|AGRRNG|AGRTOC|AGRTOCEXT|AGR_InfoForName|AGR_TablesOfContents|AGSRAutomLift|AGSRFindRels|AGSRMatchedCharacteristics|AGSRModuleLayerSeries|AGSRNormalSubgroupClasses|AGSRPrepareAutomLift|AGSRReducedGens|AGSRSolMat|AGT_Brouwer_Parameters|AGT_Brouwer_Parameters_MAX|AGT_SRGFilename|AG_AbelImageAutomatonInList|AG_AbelImageSpherTrans|AG_AbelImageX|AG_AbelImageXvar|AG_AbelImagesGenerators|AG_AddInversesList|AG_AddInversesListTrack|AG_AddRelators|AG_ApplyNielsen|AG_AreEquivalentStatesInList|AG_AreEquivalentStatesInLists|AG_AutomPortraitMain|AG_AutomatonFamily|AG_AutomatonTransform|AG_CalculateWord|AG_CalculateWords|AG_ChooseAutomatonList|AG_ComputeMihailovaSystemPairs|AG_ConnectedStatesInList|AG_ContractingTable|AG_CreatedTreeAutomorphismFamilies|AG_CreatedTreeHomomorphismFamilies|AG_DegreeOfLevelInSphericalIndex|AG_DiagonalPowerInList|AG_DualAutomatonList|AG_FiniteGroupId|AG_FixAutomList|AG_FixRecurList|AG_GeneratingSetWithNucleusAutom|AG_GeneratorActionOnLevelAsMatrix|AG_Globals|AG_GroupHomomorphismByImagesNC|AG_Groups|AG_HasDualInList|AG_HasDualOfInverseInList|AG_ImageOfVertexInList|AG_InverseAutomatonList|AG_InverseLessThanForLetters|AG_IsCorrectAutomatonList|AG_IsCorrectRecurList|AG_IsEqualSphericalIndex|AG_IsInvertible|AG_IsInvertibleStateInList|AG_IsObviouslyTrivialStateInList|AG_IsOneList|AG_IsOneWordSubs|AG_IsOne_Autom|AG_IsTrivialStateInList|AG_IsWordTransitiveOnLevel|AG_MinimalSubAutomatonInlist|AG_MinimizationOfAutomatonList|AG_MinimizationOfAutomatonListTrack|AG_MinimizedAutomatonList|AG_MultAlphabetInList|AG_NumberOfVertex|AG_OrderOfElement|AG_ParseAutomatonString|AG_ParseAutomatonStringFR|AG_PermFromTransformation|AG_PermuteStatesInList|AG_PrintTransformation|AG_ReducedAutomatonInList|AG_ReducedByNielsen|AG_ReducedForm|AG_ReducedListOfWordsByNielsen|AG_ReducedListOfWordsByNielsenBack|AG_ReducedSphericalIndex|AG_RewritingSystem|AG_RewritingSystemRules|AG_SemigroupIterator|AG_SuspiciousForNoncontraction|AG_TopDegreeInSphericalIndex|AG_TrCmp|AG_TransformationString|AG_TreeAutomorphism|AG_TreeHomomorphismCmp|AG_TreeLevelTuples|AG_UpdateRewritingSystem|AG_UseRewritingSystem|AG_VertexNumber|AG_WordStateAndPermInList|AG_WordStateInList|AINV|AINV_LIST_DEFAULT|AINV_MPFR|AINV_MUT|AINV_MUT_LIST_DEFAULT|AINV_SAMEMUT|AINV_VEC8BIT_IMMUTABLE|AINV_VEC8BIT_MUTABLE|AINV_VEC8BIT_SAME_MUTABILITY|AISMatrixGroup|AK_PM_BK_MOD_2520|ALG2STRING@FR|ALGEBRAELEMENT@FR|ALGEBRAISZERO@FR|ALLOW|ALL_KEYWORDS|ALL_RNAMES|ALPHABETINVOLUTION@FR|AL_EXECUTABLE|AL_ExponentsTrivialUnits|AL_HomogeneousSeriesAbelianRMGroup|AL_MatricesGeneratingNumberField|AL_OPTIONS|AL_PATH|AL_RadicalOfAbelianRMGroup|AL_STACKSIZE|AL_SplitSemisimple|AMaximalIdealContaining|ANATPH_small_pregroups|AND_FLAGS|ANFAutomorphism|ANMAXPRIMS|ANUPQAutomorphisms|ANUPQData|ANUPQDataRecord|ANUPQDirectoryTemporary|ANUPQGlobalOptions|ANUPQGlobalVariables|ANUPQIdentity|ANUPQReadOutput|ANUPQSPerror|ANUPQSPextractArgs|ANUPQSetAutomorphismGroup|ANUPQWarnOfOtherOptions|ANUPQ_ARG_CHK|ANUPQ_IOINDEX|ANUPQ_IOINDEX_ARG_CHK|ANUPQauto|ANUPQautoList|ANUPQerror|ANUPQerrorPq|ANUPQextractArgs|ANUPQextractOptions|ANUPQextractPqArgs|ANUPQoptError|ANUPQoptionChecks|ANUPQoptionTypes|ANUPQoptions|ANUPQprintExps|ANY2OUT@FR|ANonReesCongruenceOfSemigroup|ANumericalSemigroupWithPseudoFrobeniusNumbers|APPEND@FR|APPEND_GF2VEC|APPEND_LIST|APPEND_LIST_DEFAULT|APPEND_LIST_INTR|APPEND_TO|APPEND_TO_STREAM|APPEND_VEC8BIT|APPROXROOTS|APP_TAG|APolyProd|ARCH_IS_MAC_OS_X|ARCH_IS_UNIX|ARCH_IS_WINDOWS|ARCH_IS_WSL|ARQuiverNumerical|ASALGEBRAELEMENT@FR|ASALGEBRAMACHINE@FR|ASGROUPFRMACHINE@FR|ASINH_MACFLOAT|ASINH_MPFR|ASINTREP@FR|ASIN_MACFLOAT|ASIN_MPFR|ASSIGNGENERATORVARIABLES@FR|ASSS_LIST|ASSS_LIST_DEFAULT|ASS_GF2MAT|ASS_GF2VEC|ASS_GVAR|ASS_LIST|ASS_MAT|ASS_MAT8BIT|ASS_PLIST_DEFAULT|ASS_REC|ASS_VEC8BIT|ASVECTORELEMENT@FR|ASVECTORMACHINE@FR|ASY_PATH|AS_LIST_SORTED_LIST|AS_PERM_PPERM|AS_PERM_TRANS|AS_PPERM_PERM|AS_TRANS_PERM|AS_TRANS_PERM_INT|AS_TRANS_TRANS|ATAN2_MACFLOAT|ATAN2_MPFR|ATANH_MACFLOAT|ATANH_MPFR|ATAN_MACFLOAT|ATAN_MPFR|ATOMIC_ADDITION|ATOMIC_BIND|ATOMIC_UNBIND|ATP_TAG|ATTRIBUTES|ATTR_FUNCS|ATT_TAG|ATf|AUGMENTATION@FR|AUTO|AUTODOC_APPEND_STRING_ITERATIVE|AUTODOC_AbsolutePath|AUTODOC_CreateDirIfMissing|AUTODOC_CurrentDirectory|AUTODOC_Diff|AUTODOC_ExtractMyManualExamples|AUTODOC_FindMatchingFiles|AUTODOC_FormatDate|AUTODOC_GetSuffix|AUTODOC_INSTALL_TREE_SETTERS|AUTODOC_IdentifierLetters|AUTODOC_LABEL_OF_CONTEXT|AUTODOC_MergeRecords|AUTODOC_OutputTextFile|AUTODOC_PROCESS_INTRO_STRINGS|AUTODOC_PositionElementIfNotAfter|AUTODOC_SetIfMissing|AUTODOC_TREE_NODE_NAME_ITERATOR|AUTODOC_TestWorkSheet|AUTODOC_XML_HEADER|AUTODOC_months|AUTS|AUX__DotStringForDrawingSubAutomaton|AUX__parseDrawAutArgs|AVL|AVLAdd|AVLAdd_C|AVLAdd_GAP|AVLBalFactor|AVLBalFactor_C|AVLBalFactor_GAP|AVLCmp|AVLCmp_C|AVLCmp_GAP|AVLData|AVLData_C|AVLData_GAP|AVLDelete|AVLDelete_C|AVLDelete_GAP|AVLFind|AVLFindIndex|AVLFindIndex_C|AVLFindIndex_GAP|AVLFind_C|AVLFind_GAP|AVLFreeNode|AVLFreeNode_C|AVLFreeNode_GAP|AVLIndex|AVLIndexAdd|AVLIndexAdd_C|AVLIndexAdd_GAP|AVLIndexDelete|AVLIndexDelete_C|AVLIndexDelete_GAP|AVLIndexFind|AVLIndexFind_C|AVLIndexFind_GAP|AVLIndexLookup|AVLIndexLookup_C|AVLIndexLookup_GAP|AVLIndex_C|AVLIndex_GAP|AVLLeft|AVLLeft_C|AVLLeft_GAP|AVLLookup|AVLLookup_C|AVLLookup_GAP|AVLNewNode|AVLNewNode_C|AVLNewNode_GAP|AVLRank|AVLRank_C|AVLRank_GAP|AVLRebalance|AVLRebalance_C|AVLRebalance_GAP|AVLRight|AVLRight_C|AVLRight_GAP|AVLSetBalFactor|AVLSetBalFactor_C|AVLSetBalFactor_GAP|AVLSetData|AVLSetData_C|AVLSetData_GAP|AVLSetLeft|AVLSetLeft_C|AVLSetLeft_GAP|AVLSetRank|AVLSetRank_C|AVLSetRank_GAP|AVLSetRight|AVLSetRight_C|AVLSetRight_GAP|AVLSetValue|AVLSetValue_C|AVLSetValue_GAP|AVLTest|AVLToList|AVLToList_C|AVLToList_GAP|AVLTree|AVLTreeFamily|AVLTreeType|AVLTreeTypeMutable|AVLTree_C|AVLTree_GAP|AVLValue|AVLValue_C|AVLValue_GAP|AWP_FIRST_ENTRY|AWP_FUN_ASSOC_WORD|AWP_FUN_OBJ_BY_VECTOR|AWP_LAST_ENTRY|AWP_NR_BITS_EXP|AWP_NR_BITS_PAIR|AWP_NR_GENS|AWP_PURE_TYPE|A_CLOSEST_VEC8BIT|A_CLOSEST_VEC8BIT_COORDS|A_CLOS_VEC|A_CLOS_VEC_COORDS|A_Specht_Decomposition_Matrix|AbelImage|AbelianExponentResidual|AbelianExponentResidualOp|AbelianExponents|AbelianExtension|AbelianGOuterGroupToCatOneGroup|AbelianGroup|AbelianGroupCons|AbelianGroups|AbelianGroupsOfExponent|AbelianIntersection|AbelianInvariants|AbelianInvariantsMultiplier|AbelianInvariantsNormalClosureFpGroup|AbelianInvariantsNormalClosureFpGroupRrs|AbelianInvariantsOfList|AbelianInvariantsSubgroupFpGroup|AbelianInvariantsSubgroupFpGroupMtc|AbelianInvariantsSubgroupFpGroupRrs|AbelianInvariantsToTorsionCoefficients|AbelianLieAlgebra|AbelianMinimalNormalSubgroups|AbelianModuleAction|AbelianModuleGroup|AbelianModuleObject|AbelianModuleWithTrivialAction|AbelianNormalSeries|AbelianNumberField|AbelianNumberFieldByReducedGaloisStabilizerInfo|AbelianPQuotient|AbelianPcpGroup|AbelianQuotientBase|AbelianRank|AbelianSocle|AbelianSocleComponents|AbelianSubfactorAction|AbelianSylow|AbelianizationHomomorphism|AbsAndIrredModules|AbsInt|AbsInt_HAP|AbsolutIrreducibleModules|AbsoluteDiameter|AbsoluteIrreducibleModules|AbsoluteIrreduciblesOfGoodSemigroup|AbsolutePoints|AbsoluteValue|AbsolutelyIrreducibleModules|AbsolutelyIrreducibleSolubleMatrixGroup|AbsolutelyIrreducibleSolvableMatrixGroup|AbssquareInCyclotomics|AbstractWordTietzeWord|AbstractWordTzWord|AcceptNewConnection|AcceptedWords|AcceptedWordsR|AcceptedWordsReversed|AcceptingStatesFSA|AccessibleAutomaton|AccessibleFSA|AccessibleStates|Acos|Acosh|ActDiagonally|ActWithWord|ActedGroup|ActingAlgebra|ActingDomain|ActingGroup|Action|ActionAbelianCSPG|ActionDegree|ActionForCrossedProduct|ActionHomomorphism|ActionHomomorphismAttr|ActionHomomorphismConstructor|ActionHomomorphism_LIBRARY|ActionKernelExternalSet|ActionMoebiusTransformationOnDivisorDefinedP1|ActionMoebiusTransformationOnDivisorP1|ActionMoebiusTransformationOnFunction|ActionOfNearRingOnNGroup|ActionOfPCGenerators|ActionOnAllPointsHyperplanes|ActionOnAllProjPoints|ActionOnDual|ActionOnOrbit|ActionOnRespectedPartition|ActionRank|ActionSubspacesElementaryAbelianGroup|Action_LIBRARY|ActivateDerivationInfo|ActivateProfileColour|ActivateToDoList|ActivateWhereInfosInEntries|Activities|Activity|ActivityInt|ActivityPerm|ActivitySparse|ActivityTransformation|Actor|ActorCat1Group|ActorCrossedSquare|ActorOfExternalSet|ActorXMod|AcyclicSubcomplexOfPureCubicalComplex|Add|AddANewPresentation|AddAbelianRelator|AddAdditionForMorphisms|AddAdditiveGenerators|AddAdditiveInverseForMorphisms|AddAssociatorLeftToRight|AddAssociatorLeftToRightWithGivenTensorProducts|AddAssociatorRightToLeft|AddAssociatorRightToLeftWithGivenTensorProducts|AddAstrictionToCoimage|AddAstrictionToCoimageWithGivenCoimage|AddAstrictionToCoimageWithGivenCoimageObject|AddAtomicList|AddBasisOfExternalHom|AddBraiding|AddBraidingInverse|AddBraidingInverseWithGivenTensorProducts|AddBraidingWithGivenTensorProducts|AddByExpo|AddCanonicalIdentificationFromCoimageToImageObject|AddCanonicalIdentificationFromImageObjectToCoimage|AddCategoricalProperty|AddCategoryToFamily|AddCell|AddCentralAutos|AddCoDualOnMorphisms|AddCoDualOnMorphismsWithGivenCoDuals|AddCoDualOnObjects|AddCoDualityTensorProductCompatibilityMorphism|AddCoDualityTensorProductCompatibilityMorphismWithGivenObjects|AddCoLambdaElimination|AddCoLambdaIntroduction|AddCoRankMorphism|AddCoTraceMap|AddCoastrictionToImage|AddCoastrictionToImageWithGivenImageObject|AddCoclosedCoevaluationForCoDual|AddCoclosedCoevaluationForCoDualWithGivenTensorProduct|AddCoclosedCoevaluationMorphism|AddCoclosedCoevaluationMorphismWithGivenSource|AddCoclosedEvaluationForCoDual|AddCoclosedEvaluationForCoDualWithGivenTensorProduct|AddCoclosedEvaluationMorphism|AddCoclosedEvaluationMorphismWithGivenRange|AddCoefficientsOfMorphismWithGivenBasisOfExternalHom|AddCoeffs|AddCoequalizer|AddCoequalizerFunctorial|AddCoequalizerFunctorialWithGivenCoequalizers|AddCoevaluationForDual|AddCoevaluationForDualWithGivenTensorProduct|AddCoevaluationMorphism|AddCoevaluationMorphismWithGivenRange|AddCoimage|AddCoimageObject|AddCoimageProjection|AddCoimageProjectionWithGivenCoimage|AddCoimageProjectionWithGivenCoimageObject|AddCokernelColift|AddCokernelColiftWithGivenCokernelObject|AddCokernelObject|AddCokernelObjectFunctorial|AddCokernelObjectFunctorialWithGivenCokernelObjects|AddCokernelProjection|AddCokernelProjectionWithGivenCokernelObject|AddColift|AddColiftAlongEpimorphism|AddColiftOrFail|AddComponentOfMorphismFromDirectSum|AddComponentOfMorphismIntoDirectSum|AddCoproduct|AddCoproductFunctorial|AddCoproductFunctorialWithGivenCoproducts|AddCosetInfoStabChain|AddCrossedProductBySSP|AddCrossedProductBySST|AddDTPolynomials|AddDegreesOfGenerators|AddDerivation|AddDerivationPair|AddDerivationPairToCAP|AddDerivationToCAP|AddDictionary|AddDirectProduct|AddDirectProductFunctorial|AddDirectProductFunctorialWithGivenDirectProducts|AddDirectSum|AddDirectSumCodiagonalDifference|AddDirectSumDiagonalDifference|AddDirectSumFunctorial|AddDirectSumFunctorialWithGivenDirectSums|AddDirectSumProjectionInPushout|AddDistinguishedObjectOfHomomorphismStructure|AddDualOnMorphisms|AddDualOnMorphismsWithGivenDuals|AddDualOnObjects|AddEdgeFSA|AddEdgeOrbit|AddEmbeddingOfEqualizer|AddEmbeddingOfEqualizerWithGivenEqualizer|AddEpimorphismFromSomeProjectiveObject|AddEpimorphismFromSomeProjectiveObjectWithGivenSomeProjectiveObject|AddEqualizer|AddEqualizerFunctorial|AddEqualizerFunctorialWithGivenEqualizers|AddEquation|AddEquationsCR|AddEquationsCREndo|AddEquationsCRNorm|AddEquationsSQ|AddEvalRuleFileToCategory|AddEvaluationForDual|AddEvaluationForDualWithGivenTensorProduct|AddEvaluationMorphism|AddEvaluationMorphismWithGivenSource|AddExternalSuffixTreeNode|AddFiberProduct|AddFiberProductEmbeddingInDirectSum|AddFiberProductFunctorial|AddFiberProductFunctorialWithGivenFiberProducts|AddFieldCR|AddFinalDerivation|AddFirst|AddFreeWords|AddFreeWordsModP|AddGenerator|AddGeneratorToProductReplacer|AddGeneratorToStabilizerChain|AddGenerators|AddGeneratorsExtendSchreierTree|AddGeneratorsGenimagesExtendSchreierTree|AddGeneratorsToOrbit|AddHT|AddHallPolynomials|AddHandlerBuildRecBibXMLEntry|AddHashEntry|AddHomologyObject|AddHomologyObjectFunctorialWithGivenHomologyObjects|AddHomomorphismStructureOnMorphisms|AddHomomorphismStructureOnMorphismsWithGivenObjects|AddHomomorphismStructureOnObjects|AddHorizontalPostCompose|AddHorizontalPreCompose|AddIdentityMorphism|AddIdentityTwoCell|AddIgsToIgs|AddImageEmbedding|AddImageEmbeddingWithGivenImageObject|AddImageObject|AddIndecomposable|AddInfoCover|AddInhomoCochain@SptSet|AddInitialObject|AddInitialObjectFunctorial|AddInitialObjectFunctorialWithGivenInitialObjects|AddInjectionOfCofactorOfCoproduct|AddInjectionOfCofactorOfCoproductWithGivenCoproduct|AddInjectionOfCofactorOfDirectSum|AddInjectionOfCofactorOfDirectSumWithGivenDirectSum|AddInjectionOfCofactorOfPushout|AddInjectionOfCofactorOfPushoutWithGivenPushout|AddInjectiveColift|AddInjectiveDimension|AddInternalCoHomOnMorphisms|AddInternalCoHomOnMorphismsWithGivenInternalCoHoms|AddInternalCoHomOnObjects|AddInternalCoHomTensorProductCompatibilityMorphism|AddInternalCoHomTensorProductCompatibilityMorphismInverse|AddInternalCoHomTensorProductCompatibilityMorphismInverseWithGivenObjects|AddInternalCoHomTensorProductCompatibilityMorphismWithGivenObjects|AddInternalCoHomToTensorProductAdjunctionMap|AddInternalHomOnMorphisms|AddInternalHomOnMorphismsWithGivenInternalHoms|AddInternalHomOnObjects|AddInternalHomToTensorProductAdjunctionMap|AddInternalSuffixTreeNode|AddInterpretMorphismAsMorphismFromDistinguishedObjectToHomomorphismStructure|AddInterpretMorphismAsMorphismFromDistinguishedObjectToHomomorphismStructureWithGivenObjects|AddInterpretMorphismFromDistinguishedObjectToHomomorphismStructureAsMorphism|AddInverse|AddInverseEdgesToInverseAutomaton|AddInverseForMorphisms|AddInverseMorphismFromCoimageToImageWithGivenObjects|AddInversesCR|AddIsAutomorphism|AddIsBijectiveObject|AddIsCodominating|AddIsColiftable|AddIsColiftableAlongEpimorphism|AddIsCongruentForMorphisms|AddIsDominating|AddIsEndomorphism|AddIsEpimorphism|AddIsEqualAsFactorobjects|AddIsEqualAsSubobjects|AddIsEqualForCacheForMorphisms|AddIsEqualForCacheForObjects|AddIsEqualForMorphisms|AddIsEqualForMorphismsOnMor|AddIsEqualForObjects|AddIsHomSetInhabited|AddIsIdempotent|AddIsIdenticalToIdentityMorphism|AddIsIdenticalToZeroMorphism|AddIsInitial|AddIsInjective|AddIsIsomorphism|AddIsLiftable|AddIsLiftableAlongMonomorphism|AddIsMonomorphism|AddIsOne|AddIsProjective|AddIsSplitEpimorphism|AddIsSplitMonomorphism|AddIsTerminal|AddIsWellDefinedForMorphisms|AddIsWellDefinedForObjects|AddIsWellDefinedForTwoCells|AddIsZeroForMorphisms|AddIsZeroForObjects|AddIsomCover|AddIsomorphismFromCoDualToInternalCoHom|AddIsomorphismFromCoequalizerOfCoproductDiagramToPushout|AddIsomorphismFromCoimageToCokernelOfKernel|AddIsomorphismFromCokernelOfDiagonalDifferenceToPushout|AddIsomorphismFromCokernelOfKernelToCoimage|AddIsomorphismFromCoproductToDirectSum|AddIsomorphismFromDirectProductToDirectSum|AddIsomorphismFromDirectSumToCoproduct|AddIsomorphismFromDirectSumToDirectProduct|AddIsomorphismFromDualToInternalHom|AddIsomorphismFromEqualizerOfDirectProductDiagramToFiberProduct|AddIsomorphismFromFiberProductToEqualizerOfDirectProductDiagram|AddIsomorphismFromFiberProductToKernelOfDiagonalDifference|AddIsomorphismFromHomologyObjectToItsConstructionAsAnImageObject|AddIsomorphismFromImageObjectToKernelOfCokernel|AddIsomorphismFromInitialObjectToZeroObject|AddIsomorphismFromInternalCoHomToCoDual|AddIsomorphismFromInternalCoHomToObject|AddIsomorphismFromInternalCoHomToObjectWithGivenInternalCoHom|AddIsomorphismFromInternalCoHomToTensorProduct|AddIsomorphismFromInternalHomToDual|AddIsomorphismFromInternalHomToObject|AddIsomorphismFromInternalHomToObjectWithGivenInternalHom|AddIsomorphismFromInternalHomToTensorProduct|AddIsomorphismFromItsConstructionAsAnImageObjectToHomologyObject|AddIsomorphismFromKernelOfCokernelToImageObject|AddIsomorphismFromKernelOfDiagonalDifferenceToFiberProduct|AddIsomorphismFromObjectToInternalCoHom|AddIsomorphismFromObjectToInternalCoHomWithGivenInternalCoHom|AddIsomorphismFromObjectToInternalHom|AddIsomorphismFromObjectToInternalHomWithGivenInternalHom|AddIsomorphismFromPushoutToCoequalizerOfCoproductDiagram|AddIsomorphismFromPushoutToCokernelOfDiagonalDifference|AddIsomorphismFromTensorProductToInternalCoHom|AddIsomorphismFromTensorProductToInternalHom|AddIsomorphismFromTerminalObjectToZeroObject|AddIsomorphismFromZeroObjectToInitialObject|AddIsomorphismFromZeroObjectToTerminalObject|AddKernelEmbedding|AddKernelEmbeddingWithGivenKernelObject|AddKernelLift|AddKernelLiftWithGivenKernelObject|AddKernelObject|AddKernelObjectFunctorial|AddKernelObjectFunctorialWithGivenKernelObjects|AddLambdaElimination|AddLambdaIntroduction|AddLeftDistributivityExpanding|AddLeftDistributivityExpandingWithGivenObjects|AddLeftDistributivityFactoring|AddLeftDistributivityFactoringWithGivenObjects|AddLeftRightLogicalImplicationsForHomalg|AddLeftUnitor|AddLeftUnitorInverse|AddLeftUnitorInverseWithGivenTensorProduct|AddLeftUnitorWithGivenTensorProduct|AddLetterFSA|AddLift|AddLiftAlongMonomorphism|AddLiftOrFail|AddLogAndExpPolynomials|AddMOrder|AddMatrixColumns|AddMatrixColumnsLeft|AddMatrixColumnsRight|AddMatrixRows|AddMatrixRowsLeft|AddMatrixRowsRight|AddMereExistenceOfSolutionOfLinearSystemInAbCategory|AddMethod|AddMonoidalPostCoComposeMorphism|AddMonoidalPostCoComposeMorphismWithGivenObjects|AddMonoidalPostComposeMorphism|AddMonoidalPostComposeMorphismWithGivenObjects|AddMonoidalPreCoComposeMorphism|AddMonoidalPreCoComposeMorphismWithGivenObjects|AddMonoidalPreComposeMorphism|AddMonoidalPreComposeMorphismWithGivenObjects|AddMonomorphismIntoSomeInjectiveObject|AddMonomorphismIntoSomeInjectiveObjectWithGivenSomeInjectiveObject|AddMorphism|AddMorphismBetweenDirectSums|AddMorphismBetweenDirectSumsWithGivenDirectSums|AddMorphismConstructor|AddMorphismDatum|AddMorphismFromBidual|AddMorphismFromBidualWithGivenBidual|AddMorphismFromCoBidual|AddMorphismFromCoBidualWithGivenCoBidual|AddMorphismFromCoimageToImageWithGivenObjects|AddMorphismFromEqualizerToSink|AddMorphismFromEqualizerToSinkWithGivenEqualizer|AddMorphismFromFiberProductToSink|AddMorphismFromFiberProductToSinkWithGivenFiberProduct|AddMorphismFromInternalCoHomToTensorProduct|AddMorphismFromInternalCoHomToTensorProductWithGivenObjects|AddMorphismFromInternalHomToTensorProduct|AddMorphismFromInternalHomToTensorProductWithGivenObjects|AddMorphismFromKernelObjectToSink|AddMorphismFromKernelObjectToSinkWithGivenKernelObject|AddMorphismFromSourceToCoequalizer|AddMorphismFromSourceToCoequalizerWithGivenCoequalizer|AddMorphismFromSourceToCokernelObject|AddMorphismFromSourceToCokernelObjectWithGivenCokernelObject|AddMorphismFromSourceToPushout|AddMorphismFromSourceToPushoutWithGivenPushout|AddMorphismFromTensorProductToInternalCoHom|AddMorphismFromTensorProductToInternalCoHomWithGivenObjects|AddMorphismFromTensorProductToInternalHom|AddMorphismFromTensorProductToInternalHomWithGivenObjects|AddMorphismFunction|AddMorphismRepresentation|AddMorphismToBidual|AddMorphismToBidualWithGivenBidual|AddMorphismToCoBidual|AddMorphismToCoBidualWithGivenCoBidual|AddMorphisms|AddMultiplyWithElementOfCommutativeRingForMorphisms|AddNP|AddNaturalHomomorphismOfUnitGroup|AddNaturalHomomorphismsPool|AddNaturalTransformationFunction|AddNodeToGraph|AddNormalizingElementPcgs|AddNormalizingGenToLayer|AddNthPowerToRelations|AddObject|AddObjectConstructor|AddObjectDatum|AddObjectFunction|AddObjectRepresentation|AddOperationCR|AddOperationsToDerivationGraph|AddOrUpdate|AddOrUpdatePQ|AddOriginalEqnsRWS|AddPackageInfos|AddPageNumbersToSix|AddParagraphNumbersGapDocTree|AddPcElementToPcSequence|AddPermOper|AddPostCompose|AddPreCompose|AddPredicateImplicationFileToCategory|AddPrimitiveOperation|AddProjectionInFactorOfDirectProduct|AddProjectionInFactorOfDirectProductWithGivenDirectProduct|AddProjectionInFactorOfDirectSum|AddProjectionInFactorOfDirectSumWithGivenDirectSum|AddProjectionInFactorOfFiberProduct|AddProjectionInFactorOfFiberProductWithGivenFiberProduct|AddProjectionOntoCoequalizer|AddProjectionOntoCoequalizerWithGivenCoequalizer|AddProjectiveDimension|AddProjectiveLift|AddPropertyToMatchAtIsCongruentForMorphisms|AddPropertyToMatchAtIsEqualForObjects|AddPtGrp2DProjRep@SptSet|AddPushout|AddPushoutFunctorial|AddPushoutFunctorialWithGivenPushouts|AddRandomMorphismByInteger|AddRandomMorphismByList|AddRandomMorphismWithFixedRangeByInteger|AddRandomMorphismWithFixedRangeByList|AddRandomMorphismWithFixedSourceAndRangeByInteger|AddRandomMorphismWithFixedSourceAndRangeByList|AddRandomMorphismWithFixedSourceByInteger|AddRandomMorphismWithFixedSourceByList|AddRandomObjectByInteger|AddRandomObjectByList|AddRandomTestInfosFEM|AddRankMorphism|AddRationalParameters|AddRefinement|AddRelationToGraph|AddRelator|AddRelatorsCR|AddRightDistributivityExpanding|AddRightDistributivityExpandingWithGivenObjects|AddRightDistributivityFactoring|AddRightDistributivityFactoringWithGivenObjects|AddRightUnitor|AddRightUnitorInverse|AddRightUnitorInverseWithGivenTensorProduct|AddRightUnitorWithGivenTensorProduct|AddRimHook|AddRimHookOp|AddRootParseTree|AddRow|AddRowVector|AddRule|AddRuleKBDAG|AddRuleReduced|AddSExtension|AddSet|AddSetIfCanEasilySortElements|AddSimplifyEndo|AddSimplifyEndo_IsoFromInputObject|AddSimplifyEndo_IsoToInputObject|AddSimplifyMorphism|AddSimplifyObject|AddSimplifyObject_IsoFromInputObject|AddSimplifyObject_IsoToInputObject|AddSimplifyRange|AddSimplifyRange_IsoFromInputObject|AddSimplifyRange_IsoToInputObject|AddSimplifySource|AddSimplifySourceAndRange|AddSimplifySourceAndRange_IsoFromInputRange|AddSimplifySourceAndRange_IsoFromInputSource|AddSimplifySourceAndRange_IsoToInputRange|AddSimplifySourceAndRange_IsoToInputSource|AddSimplifySource_IsoFromInputObject|AddSimplifySource_IsoToInputObject|AddSolveLinearSystemInAbCategory|AddSolveLinearSystemInAbCategoryOrFail|AddSomeInjectiveObject|AddSomeProjectiveObject|AddSomeReductionBySplitEpiSummand|AddSomeReductionBySplitEpiSummand_MorphismFromInputRange|AddSomeReductionBySplitEpiSummand_MorphismToInputRange|AddSpecialGapOfAffineSemigroup|AddSpecialGapOfNumericalSemigroup|AddSpectralFiltrationOfObjects|AddSpectralFiltrationOfObjectsInCollapsedToZeroTransposedSpectralSequence|AddSpectralFiltrationOfTotalDefects|AddStarPolynomials|AddStateFSA|AddSubtractionForMorphisms|AddSymbolicCollector|AddSystem|AddTailInfo|AddTailVectorsCR|AddTensorProductDualityCompatibilityMorphism|AddTensorProductDualityCompatibilityMorphismWithGivenObjects|AddTensorProductInternalHomCompatibilityMorphism|AddTensorProductInternalHomCompatibilityMorphismInverse|AddTensorProductInternalHomCompatibilityMorphismInverseWithGivenObjects|AddTensorProductInternalHomCompatibilityMorphismWithGivenObjects|AddTensorProductOnMorphisms|AddTensorProductOnMorphismsWithGivenTensorProducts|AddTensorProductOnObjects|AddTensorProductToInternalCoHomAdjunctionMap|AddTensorProductToInternalHomAdjunctionMap|AddTensorUnit|AddTermModulePoly|AddTermMonoidPoly|AddTerminalObject|AddTerminalObjectFunctorial|AddTerminalObjectFunctorialWithGivenTerminalObjects|AddTheoremFileToCategory|AddToCRSystem|AddToDatabase|AddToEntry|AddToIgs|AddToIgsParallel|AddToIgs_Old|AddToListEntries|AddToMatElm|AddToMorphismAid|AddToReducedSet|AddToSubgpList|AddToToDoList|AddTotalEmbeddingsToCollapsedToZeroSpectralSequence|AddTotalEmbeddingsToSpectralSequence|AddTraceMap|AddTranslationBasis|AddTuple|AddTupleF|AddTupleFP|AddTwoCell|AddUnitGroupOfNumberField|AddUniversalMorphismFromCoequalizer|AddUniversalMorphismFromCoequalizerWithGivenCoequalizer|AddUniversalMorphismFromCoproduct|AddUniversalMorphismFromCoproductWithGivenCoproduct|AddUniversalMorphismFromDirectSum|AddUniversalMorphismFromDirectSumWithGivenDirectSum|AddUniversalMorphismFromImage|AddUniversalMorphismFromImageWithGivenImageObject|AddUniversalMorphismFromInitialObject|AddUniversalMorphismFromInitialObjectWithGivenInitialObject|AddUniversalMorphismFromPushout|AddUniversalMorphismFromPushoutWithGivenPushout|AddUniversalMorphismFromZeroObject|AddUniversalMorphismFromZeroObjectWithGivenZeroObject|AddUniversalMorphismIntoCoimage|AddUniversalMorphismIntoCoimageWithGivenCoimage|AddUniversalMorphismIntoCoimageWithGivenCoimageObject|AddUniversalMorphismIntoDirectProduct|AddUniversalMorphismIntoDirectProductWithGivenDirectProduct|AddUniversalMorphismIntoDirectSum|AddUniversalMorphismIntoDirectSumWithGivenDirectSum|AddUniversalMorphismIntoEqualizer|AddUniversalMorphismIntoEqualizerWithGivenEqualizer|AddUniversalMorphismIntoFiberProduct|AddUniversalMorphismIntoFiberProductWithGivenFiberProduct|AddUniversalMorphismIntoTerminalObject|AddUniversalMorphismIntoTerminalObjectWithGivenTerminalObject|AddUniversalMorphismIntoZeroObject|AddUniversalMorphismIntoZeroObjectWithGivenZeroObject|AddUniversalPropertyOfCoDual|AddUniversalPropertyOfDual|AddVector|AddVectorEchelonBase|AddVectorLTM|AddVerticalPostCompose|AddVerticalPreCompose|AddWithGivenDerivationPairToCAP|AddWordToExp|AddZeroMorphism|AddZeroObject|AddZeroObjectFunctorial|AddZeroObjectFunctorialWithGivenZeroObjects|Add_ci_c_ppowerpolypcp|Add_x_ij|AddedBlocksBlockDesign|AddedElementsCode|AddedPointBlockDesign|AddendumSCTable|AddingElement|AddingGroup|AddingMachine|AdditionForMorphisms|AdditiveCoset|AdditiveElementAsMultiplicativeElement|AdditiveElementsAsMultiplicativeElementsFamily|AdditiveFactorPcp|AdditiveGenerators|AdditiveGeneratorsForEndomorphisms|AdditiveGeneratorsForHomomorphisms|AdditiveGroup|AdditiveGroupByGenerators|AdditiveGroupOfRing|AdditiveIgsParallel|AdditiveInverse|AdditiveInverseAttr|AdditiveInverseForMorphisms|AdditiveInverseImmutable|AdditiveInverseMutable|AdditiveInverseOp|AdditiveInverseSM|AdditiveInverseSameMutability|AdditiveMagma|AdditiveMagmaByGenerators|AdditiveMagmaWithInverses|AdditiveMagmaWithInversesByGenerators|AdditiveMagmaWithZero|AdditiveMagmaWithZeroByGenerators|AdditiveMonoidalCategoriesTest|AdditiveNeutralElement|AdditivelyActingDomain|AddressOfLeaf|Adjacency|AdjacencyBasesWithOne|AdjacencyMatrix|AdjacencyMatrixMutableCopy|AdjacencyMatrixOfQuiver|AdjacencyMatrixUpperTriangleLineDecoder|AdjacencyPoset|AdjacentCatenaryDegreeOfSetOfFactorizations|AdjoinedIdentityDefaultType|AdjoinedIdentityFamily|AdjointAssociativeAlgebra|AdjointBasis|AdjointGroup|AdjointGroupOfQuandle|AdjointMatrix|AdjointModule|AdjointSemigroup|AdjunctMatrix|AdjustPresentation|AdjustSubgroupWeighting|AdjustWeights|Adjustment|AdjustmentMatrix|AdjustmentOfNumericalSemigroup|AdmissibleInputForHomalgFunctors|AdmissibleLattice|AdmissibleSequenceGenerator|AdmitsFinitelyManyNontips|AdoptObj|AdoptSingleObj|AffMatMutableTrans|AffineAction|AffineActionAsTensor|AffineActionByElement|AffineActionByMatrixGroup|AffineActionLayer|AffineActionOnH1|AffineCrystGroup|AffineCrystGroupLessFun|AffineCrystGroupNC|AffineCrystGroupOfPointGroup|AffineCrystGroupOnLeft|AffineCrystGroupOnLeftNC|AffineCrystGroupOnRight|AffineCrystGroupOnRightNC|AffineCurve|AffineCycleSetZmodnZ|AffineDegree|AffineDimension|AffineGroup|AffineInequivalentSubgroups|AffineLift|AffineNormalizer|AffinePointsOnCurve|AffineRepresentation|AffineResolvableMu|AffineSemigroup|AffineSemigroupByEquations|AffineSemigroupByGaps|AffineSemigroupByGenerators|AffineSemigroupByInequalities|AffineSemigroupByPMInequality|AffineSemigroupInequalities|AffineSemigroupsType|AffineSpace|AffineSubspace|AffineVariety|AgOrbitCover|Agemo|AgemoAbove|AgemoOp|AleshinGroup|AleshinGroups|AleshinMachine|AleshinMachines|AlexanderMatrix|AlexanderPolynomial|AlgExtElm|AlgExtEmbeddedPol|AlgExtFactSQFree|AlgExtSquareHensel|Algebra|AlgebraAction|AlgebraAction1|AlgebraAction2|AlgebraAction3|AlgebraAction4|AlgebraAction5|AlgebraActionType|AlgebraAsModuleOfEnvelopingAlgebra|AlgebraAsModuleOverEnvelopingAlgebra|AlgebraAsQuiverAlgebra|AlgebraBase|AlgebraByGenerators|AlgebraByStructureConstants|AlgebraByStructureConstantsArg|AlgebraByTable|AlgebraElement|AlgebraElementNC|AlgebraGeneralMappingByImages|AlgebraHomomorphismByFunction|AlgebraHomomorphismByImages|AlgebraHomomorphismByImagesNC|AlgebraMachine|AlgebraMachineNC|AlgebraObjFamily|AlgebraString|AlgebraWithOne|AlgebraWithOneByGenerators|AlgebraWithOneGeneralMappingByImages|AlgebraWithOneHomomorphismByFunction|AlgebraWithOneHomomorphismByImages|AlgebraWithOneHomomorphismByImagesNC|AlgebraicElementsFamilies|AlgebraicElementsFamily|AlgebraicExtension|AlgebraicExtensionNC|AlgebraicPolynomialModP|AlgebraicReduction|AlgebraicReduction_alt|AlgebraicVariety|All2x2IntegerMatricesInHNFWithDeterminantUpTo|AllANUPQoptions|AllActionsForTorsionFreeExtension|AllActionsHolonomy|AllAtlasGeneratingSetInfos|AllAutomorphisms|AllAutosOfAlgebras|AllBijectiveHomsOfAlgebras|AllBlocks|AllCat1Algebras|AllCat1AlgebrasUpToIsomorphism|AllCat1GroupFamilies|AllCat1GroupMorphisms|AllCat1Groups|AllCat1GroupsIterator|AllCat1GroupsMatrix|AllCat1GroupsNumber|AllCat1GroupsUpToIsomorphism|AllCat1GroupsWithImage|AllCat1GroupsWithImageIterator|AllCat1GroupsWithImageNumber|AllCat1GroupsWithImageUpToIsomorphism|AllCat2GroupFamilies|AllCat2GroupMorphisms|AllCat2Groups|AllCat2GroupsIterator|AllCat2GroupsMatrix|AllCat2GroupsNumber|AllCat2GroupsUpToIsomorphism|AllCat2GroupsWithFixedUp|AllCat2GroupsWithFixedUpAndLeftRange|AllCat2GroupsWithImages|AllCat2GroupsWithImagesIterator|AllCat2GroupsWithImagesNumber|AllCat2GroupsWithImagesUpToIsomorphism|AllCat3GroupTriples|AllCat3Groups|AllCat3GroupsIterator|AllCat3GroupsNumber|AllCat3GroupsUpToIsomorphism|AllCharTableNames|AllCharacterPSubgroups|AllCharacterStandardSubgroups|AllCharacterSubgroups|AllCharacterTableNames|AllComplementsCover|AllComplementsOfAlmostCompleteCotiltingModule|AllComplementsOfAlmostCompleteTiltingModule|AllDerivations|AllDiffsets|AllDiffsetsNoSort|AllElationsAx|AllElationsCentAx|AllElementsOfCTZWithGivenModulus|AllEndomorphisms|AllExceptionalNearFields|AllGFqPolynomialsModDegree|AllGeneratorsCyclicPGroup|AllGraphs|AllGroups|AllHomomorphismClasses|AllHomomorphisms|AllHomsOfAlgebras|AllIdempotentHomsOfAlgebras|AllIndecModulesOfLengthAtMost|AllInducedCat1Groups|AllInducedXMods|AllInjectiveHomomorphisms|AllInvariantSubgroupsWithNProperty|AllInvariantSubgroupsWithQProperty|AllInvolutiveCompatibilityCocycles|AllIrredSolMatrixGroups|AllIrreducibleMonicPolynomialCoeffsOfDegree|AllIrreducibleMonicPolynomials|AllIrreducibleSolubleMatrixGroups|AllIrreducibleSolvableGroups|AllIrreducibleSolvableMatrixGroups|AllIsomorphisms|AllIsomorphismsIterator|AllIsomorphismsNumber|AllLibTomNames|AllLibraryNearRings|AllLibraryNearRingsWithOne|AllLibraryTransitiveGroups|AllLinearDiophantineSolutions|AllLoopTablesInGroup|AllLoopsWithMltGroup|AllLoopsXMod|AllMCOrbits|AllMCOrbitsCore|AllMealyMachines|AllMinimalListsFiltered|AllMinimalOrderedPairs|AllMinimalPartialPerms|AllMinimalRelationsOfNumericalSemigroup|AllMinimalSetsFiltered|AllMinimalSetsOfSize|AllMinimalTransformations|AllMinimalUnorderedPairs|AllModulesOfLengthAtMost|AllModulesOfLengthPlusOne|AllModulesSQ|AllMonicPolynomialCoeffsOfDegree|AllNilpotentLieAlgebras|AllNonSolublePerfectGroups|AllNonSolvableLieAlgebras|AllNormalSubgroupsWithNProperty|AllNormalSubgroupsWithQProperty|AllNormalizerfixedBlockSystem|AllOneCodeword|AllOneVector|AllOrderedPairsTransformations_Slow|AllPatternsInSequence|AllPqExamples|AllPresentables|AllPrimes|AllPrimitiveGroups|AllPrimitivePcGroups|AllPrimitiveSolublePermGroups|AllPrimitiveSolublePermutationGroups|AllPrimitiveSolvablePermGroups|AllPrimitiveSolvablePermutationGroups|AllProducts|AllProperLoopTablesInGroup|AllRealForms|AllRefinedDifferenceSets|AllRefinedDifferenceSums|AllResidueClassesModulo|AllResidueClassesWithFixedRepresentativesModulo|AllResidueClassesWithFixedRepsModulo|AllResidues|AllSRGs|AllSections|AllSimpleLieAlgebras|AllSimpleSubmodulesOfModule|AllSmallBraces|AllSmallGroups|AllSmallNonabelianSimpleGroups|AllSmallSemigroups|AllSmallSkewbraces|AllSmoothIntegers|AllSolvableLieAlgebras|AllStemGroupFamilies|AllStemGroupIds|AllSubgroups|AllSubgroupsAbelian|AllSubgroupsAbelian2|AllSubgroupsIterator|AllSubloops|AllSubmodulesOfModule|AllSubnormalSubgroups|AllSubquasigroups|AllSubsetSummations|AllSubspaces|AllTDesignLambdas|AllTransitiveGroups|AllUnorderedPairsTransformations_Slow|AllXMods|AllXModsUpToIsomorphism|AllXModsWithGroups|AllZeroDH|AllowableSubgroup|AllowableSubgroupByMatrix|AllowableSubspace|AlmostCrystallographicDim3|AlmostCrystallographicDim4|AlmostCrystallographicGroup|AlmostCrystallographicInfo|AlmostCrystallographicPcpDim3|AlmostCrystallographicPcpDim4|AlmostCrystallographicPcpGroup|AlmostSplitSequence|AlmostSplitSequenceInPerpT|AlmostSymmetricNumericalSemigroupsFromIrreducible|AlmostSymmetricNumericalSemigroupsFromIrreducibleAndGivenType|AlmostSymmetricNumericalSemigroupsWithFrobeniusNumber|AlmostSymmetricNumericalSemigroupsWithFrobeniusNumberAndType|Alpha|AlphaRepsn|Alphabet|AlphabetFSA|AlphabetInvolution|AlphabetOfAutomaton|AlphabetOfAutomatonAsList|AlphabetOfFRAlgebra|AlphabetOfFRObject|AlphabetOfFRSemigroup|AlphabetOfRatExp|AlphabetOfRatExpAsList|AlternantCode|AlternatingDegree|AlternatingGroup|AlternatingGroupCons|AlternatingSubgroup|AlwaysPrintTracebackOnError|AmalgamatedDirectSumCode|AmalgamationOfNumericalSemigroups|AmbientAffineSemigroupOfIdeal|AmbientDimension|AmbientGS|AmbientGeometry|AmbientGoodSemigroupOfGoodIdeal|AmbientGroup|AmbientLieAlgebra|AmbientNumericalSemigroupOfIdeal|AmbientPolarSpace|AmbientRing|AmbientSpace|AnIrreducibleNumericalSemigroupWithFrobeniusNumber|AnIsomorphism|AnalyseBenchmarkResult|Ancestor|AncestorLVars|AndFSA|AndToCommaNames|AndrasfaiGraph|AndrasfaiGraphCons|Annihilator|AnnihilatorByLayer|AnnihilatorByTable|AnnihilatorOfModule|Annihilators|AnnihilatorsOfGenerators|AnnularJonesMonoid|AntiAutomorphismTau|AntiIsomorphismDualSemigroup|AntiIsomorphismTransformationSemigroup|AntiSymMatUpMat|AntiSymmetricParts|AntipodeMap|AntonEnumerator|AnyCongruenceCategory|AnyCongruenceString|AnyParametrization|AperyList|AperyListOfIdealOfNumericalSemigroupWRTElement|AperyListOfNumericalSemigroup|AperyListOfNumericalSemigroupAsGraph|AperyListOfNumericalSemigroupWRTElement|AperyListOfNumericalSemigroupWRTInteger|AperySetOfGoodSemigroup|AperyTable|AperyTableOfNumericalSemigroup|Append|AppendCollectedList|AppendFreeWord|AppendInequalitiesToPolymakeObject|AppendNew|AppendPPP|AppendPointlistToPolymakeObject|AppendStringToFile|AppendTo|AppendTo1|AppendToAhomalgTable|AppendToPolymakeObject|AppendTohomalgTablesOfCreatedExternalRings|AppendVertexlistToPolymakeObject|ApplicableMethod|ApplicableMethodTypes|Apply|ApplyAut|ApplyFactoringMethod|ApplyFunctor|ApplyMorphismToElement|ApplyNaturalTransformation|ApplyPatternToIdeal|ApplyPatternToNumericalSemigroup|ApplyRel|ApplyRel2|ApplySimpleReflection|ApplySuffixTreeExtension|ApplyToNodesParseTree|ApplyWeylElement|ApplyWeylPermToWeight|ApproxRational|ApproxRelationLattice|ApproxRootBound|ApproximateRoot|ApproximateSuborbitsStabiliserPermGroup|ApproximateSuborbitsStabilizerPermGroup|ApsisMonoid|ArcDiagramToTubularSurface|ArcPresentation|ArcPresentationToKnottedOneComplex|ArcsIsosFromMatrices|AreCohomologous|AreComparableMatrices|AreComparableMorphisms|AreCompatibleBallElements|AreComposableMorphisms|AreConjugateGroups|AreDisjointLang|AreEqualDiscriminators|AreEqualLang|AreEquivAut|AreEquivalentAutomata|AreIsoclinic|AreIsoclinicDomains|AreIsomorphicGradedAlgebras|AreIsomorphicNilpotentLieAlgebras|AreLinearSyzygiesAvailable|AreLinearlyEquivalentSubalgebras|AreMOLS|AreMutuallyFPermutableSubgroups|AreMutuallyPermutableSubgroups|ArePermutableSubgroups|AreRepsIsomorphic|AreTotallyFPermutableSubgroups|AreTotallyPermutableSubgroups|AreUnitsCentral|ArfCharactersOfArfNumericalSemigroup|ArfClosure|ArfGoodSemigroupClosure|ArfNumericalSemigroupClosure|ArfNumericalSemigroupsWithFrobeniusNumber|ArfNumericalSemigroupsWithFrobeniusNumberUpTo|ArfNumericalSemigroupsWithGenus|ArfNumericalSemigroupsWithGenusAndFrobeniusNumber|ArfNumericalSemigroupsWithGenusUpTo|Argument|ArgumentOfCyclotomic|ArgumentsOfGenesis|ArithmeticElementCreator|Arity|ArrangeMonoidGenerators|ArrangementOfMonoidGenerators|Arrangements|ArrangementsA|ArrangementsK|Array|ArrayAssign|ArrayAssignFunctions|ArrayDimension|ArrayDimensions|ArrayIterate|ArrayIterateBreak|ArraySum|ArrayToPureCubicalComplex|ArrayValue|ArrayValueFunctions|ArrayValueKD|Arrow|ArrowIndex|ArrowNC|ArrowsOfQuiver|ArticulationPoints|ArtinRepresentation|AsATwoSequence|AsAffineCrystGroup|AsAffineCrystGroupOnLeft|AsAffineCrystGroupOnRight|AsAffineSemigroup|AsAlgebra|AsAlgebraElement|AsAlgebraMachine|AsAlgebraWithOne|AsBBoxProgram|AsBinaryRelation|AsBinaryRelationOnPoints|AsBipartition|AsBlockBijection|AsBlockMatrix|AsBooleanMat|AsCapCategory|AsCatObject|AsChainMorphismForPullback|AsChainMorphismForPushout|AsCharacterMorphismFunction|AsCokernel|AsCongruenceByWangPair|AsDifferentialObject|AsDigraph|AsDigraphCons|AsDivisionRing|AsDuplicateFreeList|AsEndoMapping|AsEpimorphicImage|AsExplicitMultiplicationNearRing|AsFLMLOR|AsFLMLORWithOne|AsField|AsFpGroup|AsGeneralizedMorphism|AsGeneralizedMorphismByCospan|AsGeneralizedMorphismBySpan|AsGeneralizedMorphismByThreeArrows|AsGluingOfNumericalSemigroups|AsGraph|AsGroup|AsGroupFRElement|AsGroupFRMachine|AsGroupGeneralMappingByImages|AsGroupReductElement|AsIdeal|AsIdealOfNumericalSemigroup|AsInducedPcgs|AsIntMealyElement|AsIntMealyMachine|AsInternalFFE|AsInverseMonoid|AsInverseSemigroup|AsInverseSemigroupCongruenceByKernelTrace|AsInverseSubmonoid|AsInverseSubsemigroup|AsInverseTranspose|AsKernel|AsLeftIdeal|AsLeftMagmaIdeal|AsLeftModule|AsLeftModuleGeneralMappingByImages|AsLeftObject|AsLeftOrRightPresentation|AsLeftPresentation|AsLeftSemigroupCongruenceByGeneratingPairs|AsLieAlgebra|AsLinearElement|AsLinearMachine|AsList|AsListCanonical|AsListOfClasses|AsListOfFreeLeftModule|AsList_Subset|AsLpGroup|AsMagma|AsMagmaIdeal|AsMatrix|AsMatrixGroup|AsMealyElement|AsMealyMachine|AsMonoid|AsMonoidFRElement|AsMonoidFRMachine|AsMorphismBetweenFreeLeftPresentations|AsMorphismBetweenFreeRightPresentations|AsMorphismInWrapperCategory|AsMutableList|AsNearRing|AsNearRingElement|AsNearRingIdeal|AsNearRingLeftIdeal|AsNearRingRightIdeal|AsNumericalDuplication|AsObjectInWrapperCategory|AsOrdinaryUnionOfResidueClasses|AsPBR|AsPartialPerm|AsPermGroup|AsPermutation|AsPlist|AsPolynomial|AsRightIdeal|AsRightMagmaIdeal|AsRightObject|AsRightPresentation|AsRightSemigroupCongruenceByGeneratingPairs|AsRing|AsSSortedList|AsSSortedListList|AsSSortedListNonstored|AsSemigroup|AsSemigroupCongruenceByGeneratingPairs|AsSemigroupFRElement|AsSemigroupFRMachine|AsSemiring|AsSemiringWithOne|AsSemiringWithOneAndZero|AsSemiringWithZero|AsSerreQuotientCategoryByCospansMorphism|AsSerreQuotientCategoryByCospansObject|AsSerreQuotientCategoryBySpansMorphism|AsSerreQuotientCategoryBySpansObject|AsSerreQuotientCategoryByThreeArrowsMorphism|AsSerreQuotientCategoryByThreeArrowsObject|AsSerreQuotientCategoryMorphism|AsSerreQuotientCategoryObject|AsSet|AsSortedList|AsStraightLineDecision|AsStraightLineProgram|AsSubFLMLOR|AsSubFLMLORWithOne|AsSubNearRing|AsSubalgebra|AsSubalgebraWithOne|AsSubgroup|AsSubgroupFpGroup|AsSubgroupOfWholeGroupByQuotient|AsSubmagma|AsSubmonoid|AsSubsemigroup|AsSubspace|AsTransformation|AsTransformationNearRing|AsTwoSidedIdeal|AsUnionOfFewClasses|AsVectorElement|AsVectorMachine|AsVectorSpace|AsVectorSpaceMorphism|AsWordInSL2Z|AsWordLetterRepInFreeGenerators|AsWordLetterRepInGenerators|AsXMod|AscendingChain|AscendingChainOp|AsciiBranch|AsciiBranchTo|Asin|Asinh|AskAlternativesQuestion|AskQuestion|AskYesNoQuestion|AssembleAutomorphism|AssertionLevel|AssignGeneratorVariables|AssignGlobalNC|AssignGlobals|AssignNiceMonomorphismAutomorphismGroup|AssignVertexNames|AssocBWorLetRepPow|AssocComm|AssocRelation1|AssocRelation2|AssocWWorLetRepPow|AssocWord|AssocWordByLetterRep|AssocWordWithInverse_Inverse|AssocWordWithInverse_Power|AssocWord_Product|AssociatedBilinearForm|AssociatedComputationRing|AssociatedConcreteSemigroup|AssociatedFilteredComplex|AssociatedFirstSpectralSequence|AssociatedFpSemigroup|AssociatedGlobalRing|AssociatedGradedModule|AssociatedGradedRing|AssociatedLeftBruckLoop|AssociatedMaximalIdeals|AssociatedMonomialAlgebra|AssociatedMorphism|AssociatedMorphismOfGeneralizedMorphismWithFullDomain|AssociatedNumberField|AssociatedPartition|AssociatedPolynomial|AssociatedPolynomialRing|AssociatedPrimes|AssociatedPrimesOfMaximalCodimension|AssociatedReesMatrixSemigroupOfDClass|AssociatedResidueClassRing|AssociatedRightBruckLoop|AssociatedRing|AssociatedSecondSpectralSequence|AssociatedSemigroup|Associates|AssociationMatrices|AssociativeObject|Associator|AssociatorLeftToRight|AssociatorLeftToRightWithGivenTensorProducts|AssociatorRightToLeft|AssociatorRightToLeftWithGivenTensorProducts|AssociatorSubloop|AstrictionToCoimage|AstrictionToCoimageWithGivenCoimage|AstrictionToCoimageWithGivenCoimageObject|AsymptoticRatliffRushNumber|AsymptoticRatliffRushNumberOfIdealOfNumericalSemigroup|Atan|Atan2|Atanh|Atlas1|Atlas2|Atlas3|AtlasCharacterNames|AtlasClassNames|AtlasClassNamesOffsetInfo|AtlasDataGAPFormatFile|AtlasDataJsonFormatFile|AtlasGenerators|AtlasGroup|AtlasIrrationality|AtlasLabelsOfIrreducibles|AtlasOfGroupRepresentationsAccessFunctionsDefault|AtlasOfGroupRepresentationsComposeTableOfContents|AtlasOfGroupRepresentationsForgetData|AtlasOfGroupRepresentationsForgetPrivateDirectory|AtlasOfGroupRepresentationsInfo|AtlasOfGroupRepresentationsLocalFilename|AtlasOfGroupRepresentationsLocalFilenameTransfer|AtlasOfGroupRepresentationsNotifyData|AtlasOfGroupRepresentationsNotifyPrivateDirectory|AtlasOfGroupRepresentationsScanFilename|AtlasOfGroupRepresentationsShowUserParameters|AtlasOfGroupRepresentationsTestClassScripts|AtlasOfGroupRepresentationsTestCompatibleMaxes|AtlasOfGroupRepresentationsTestFileHeaders|AtlasOfGroupRepresentationsTestFiles|AtlasOfGroupRepresentationsTestGroupOrders|AtlasOfGroupRepresentationsTestStdCompatibility|AtlasOfGroupRepresentationsTestSubgroupOrders|AtlasOfGroupRepresentationsTestTableOfContentsRemoteUpdates|AtlasOfGroupRepresentationsTestWords|AtlasOfGroupRepresentationsTransferFile|AtlasOfGroupRepresentationsUserParameters|AtlasProgram|AtlasProgramDefault|AtlasProgramInfo|AtlasProgramInfoDefault|AtlasProgramInfoForFilename|AtlasRepComputedKernelGenerators|AtlasRepIdentifier|AtlasRepInfoRecord|AtlasStabilizer|AtlasStraightLineProgram|AtlasStringOfFieldOfMatrixEntries|AtlasStringOfProgram|AtlasStringOfStraightLineProgram|AtlasSubgroup|AtlasTableOfContents|AtomicIncorporateObj|AtomicList|AtomicRecord|AttachServingSocket|AttacheMalcevCollector|AttachedMalcevCollector|AttemptPermRadicalMethod|AttributeMethodByNiceMonomorphism|AttributeMethodByNiceMonomorphismCollColl|AttributeMethodByNiceMonomorphismCollElm|AttributeMethodByNiceMonomorphismElmColl|AttributeValueNotSet|Augmentation|AugmentationHomomorphism|AugmentationIdeal|AugmentationIdealNilpotencyIndex|AugmentationIdealOfDerivedSubgroupNilpotencyIndex|AugmentationIdealPowerFactorGroup|AugmentationIdealPowerFactorGroupOp|AugmentationIdealPowerSeries|AugmentedCode|AugmentedCosetTableInWholeGroup|AugmentedCosetTableMtc|AugmentedCosetTableMtcInWholeGroup|AugmentedCosetTableNormalClosure|AugmentedCosetTableNormalClosureInWholeGroup|AugmentedCosetTableRrs|AugmentedCosetTableRrsInWholeGroup|AugmentedMatrix|AugmentedRelations|AuslanderDual|AutBall|AutCosets|AutGroupBlockDesign|AutGroupDescription|AutGroupGraph|AutGroupIncidenceStructureWithNauty|AutGroupOfTable|AutRWS|AutStateTransitionMatrix|AutToRatExp|AutoActionOnMult|AutoConnectedComponents|AutoDoc|AutoDocScanFiles|AutoDocWorksheet|AutoDoc_CreatePrintOnceFunction|AutoDoc_MakeGAPDocDoc_WithoutLatex|AutoDoc_Parser_ReadFiles|AutoDoc_PrintWarningForConstructor|AutoDoc_Type_Of_Item|AutoDoc_WriteDocEntry|AutoGroupIsomorphism|AutoIsAcyclicGraph|AutoOfMat|AutoOnMult|AutoReadNR|AutoReadNRI|AutoReadTW|AutoVertexDegree|AutoloadPackages|Autom|AutomFamily|AutomGrp2FR|AutomGrpSR|AutomPortrait|AutomPortraitBoundary|AutomPortraitDepth|AutomataTest|Automata_BONE_IsContainedLang|Automata_Splash|AutomaticStructure|AutomaticStructureOnCosets|AutomaticStructureOnCosetsWithSubgroupPresentation|Automaton|AutomatonAllPairsPaths|AutomatonGroup|AutomatonList|AutomatonNucleus|AutomatonSemigroup|AutomatonToRatExp|AutomorphicLoop|AutomorphismActionCover|AutomorphismClass|AutomorphismDomain|AutomorphismGroup|AutomorphismGroupAbelianGroup|AutomorphismGroupAsCatOneGroup|AutomorphismGroupAsCrossedModule|AutomorphismGroupElAbGroup|AutomorphismGroupFittingFree|AutomorphismGroupFrattFreeGroup|AutomorphismGroupMorpheus|AutomorphismGroupNilpotentGroup|AutomorphismGroupOfCyclicGroup|AutomorphismGroupOfGroupoid|AutomorphismGroupOfNilpotentLieAlgebra|AutomorphismGroupOfRad|AutomorphismGroupPGroup|AutomorphismGroupQuandle|AutomorphismGroupQuandleAsPerm|AutomorphismGroupQuandleAsPerm_nonconnected|AutomorphismGroupSolvableGroup|AutomorphismGroupSpecial|AutomorphismGroupoidOfGroupoid|AutomorphismNearRing|AutomorphismNearRingFlag|AutomorphismOmega|AutomorphismPermGroup|AutomorphismRepresentingGroup|AutomorphismTable|AutomorphismTalpha|AutomorphismWreathEmbedding|Automorphisms|AutomorphismsFixingSubgroups|AutomorphismsOfTable|AutomorphismsTable|AuxiliaryGlobalVariableForTikzCodeForNumericalSemigroup|AuxilliaryTable|Average|AverageInnerProduct|AverageSum|AvoidedLayers|BADINDEX|BASE_SIZE_METHODS_OPER_ENTRY|BBoxPerformInstruction|BBoxProgramsDefaultType|BCHCode|BCHDecoder|BCHStar|BDPOS|BFSFSA|BFUNC_FROM_TEST_FUNC|BFUNC_FROM_TEST_FUNC_FAC|BFUNC_FROM_TEST_FUNC_MOD|BFcounter|BGJobByForkType|BHINT|BINARYKNEADINGMACHINE@FR|BINDKEYSTOGAPHANDLER|BINDKEYSTOMACRO|BIND_CONSTANT|BIND_GLOBAL|BIND_SETTER_TESTER|BIND_TAG|BINOMIAL_INT|BIPART_DEGREE|BIPART_EXT_REP|BIPART_HASH|BIPART_INT_REP|BIPART_LAMBDA_CONJ|BIPART_LEFT_BLOCKS|BIPART_LEFT_PROJ|BIPART_NC|BIPART_NR_BLOCKS|BIPART_NR_IDEMPOTENTS|BIPART_NR_LEFT_BLOCKS|BIPART_PERM_LEFT_QUO|BIPART_RANK|BIPART_RIGHT_BLOCKS|BIPART_RIGHT_PROJ|BIPART_STAB_ACTION|BIPART_STAR|BITLISTS_NFIM|BLISS_DATA|BLISS_DATA_NC|BLISS_DATA_NO_COLORS|BLISTBYTES|BLISTNIBBLES|BLISTZERO|BLIST_LIST|BLOCKS_DEGREE|BLOCKS_EQ|BLOCKS_EXT_REP|BLOCKS_E_CREATOR|BLOCKS_E_TESTER|BLOCKS_HASH|BLOCKS_INV_LEFT|BLOCKS_INV_RIGHT|BLOCKS_LEFT_ACT|BLOCKS_LT|BLOCKS_NC|BLOCKS_NR_BLOCKS|BLOCKS_PROJ|BLOCKS_RANK|BLOCKS_RIGHT_ACT|BLTSetByqClan|BLUEPRINT_MATS|BOTTOM_HTML|BOUNDED_CLASS_AUTOMATA_CACHE|BOXCHARS|BPSW_ProvedBound|BPolyProd|BRACES|BRAIDED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|BREAKPOINT|BRENTFACTORS|BROWSER_CAP|BROWSER_COMMAND|BROWSER_PATH|BTWOBJ|BUG|BUGOp|BUILD_BITFIELDS|BUILD_PRINTING_FOR_VIEW_AND_DISPLAY|BVAR_TAG|BWNoStMon|BZCode|BZCodeNC|BabyAleshinGroup|BabyAleshinMachine|Back3DimensionalGroup|BackTableFSA|BackgroundJobByFork|BackgroundJobByForkChild|BackgroundJobByForkOptions|BackgroundJobsFamily|BacktrackDerivations|BacktrackDerivationsJ|BacktrackSearchStabilizerChainElement|BacktrackSearchStabilizerChainSubgroup|BacktrackSectionsJ|BaerInvariant|BaerRadical|BaerSublineOnThreePoints|BaerSubplaneOnQuadrangle|BagStats|Ball|BallAddresses|BananaTree|BananaTreeCons|BandRepresentativesLessThan|BandsLessThan|BarAutomorphism|BarCode|BarCodeCompactDisplay|BarCodeDisplay|BarCodeOfFilteredPureCubicalComplex|BarCodeOfSymmetricMatrix|BarComplexEquivalence|BarComplexOfMonoid|BarPartitions|BarResolutionBoundary@SptSet|BarResolutionEquivalence|BarResolutionHomotopy@SptSet|BarycentricSubdivision|BarycentricallySubdivideCell|Base|Base64LETTERS|Base64REVERSE|Base64String|BaseChange|BaseChangeHermitian|BaseChangeHomomorphism|BaseChangeOrthogonalBilinear|BaseChangeOrthogonalQuadratic|BaseChangeSymplectic|BaseChangeSymplectic_blockchange|BaseChangeSymplectic_cleanup|BaseChangeToCanonical|BaseChange_OnGradedModules|BaseDomain|BaseElement|BaseField|BaseFixedSpace|BaseIntMat|BaseIntersectionIntMats|BaseMat|BaseMatDestructive|BaseMatT|BaseOfGroup|BaseOrthogonalSpaceMat|BasePcgsByPcFFEMatrices|BasePcgsByPcIntMatrices|BasePcgsByPcSequence|BasePcgsElementBySiftExponents|BasePoint|BasePointOfEGQ|BasePointsActionsOrbitLengthsStabilizerChain|BaseQA|BaseQATrunc|BaseQM|BaseRing|BaseRoot|BaseShortVectors|BaseStabChain|BaseStabilizerChain|BaseSteinitzVectors|Bases|BasesCompositionSeriesThrough|BasicSetBrauerTree|BasicSpinRepresentationOfSymmetricGroup|BasicVersionOfModule|BasicWreathProductOrdering|BasicWreathProductOrderingNC|BasilicaGroup|Basis|BasisAlgorithmRespectsPrincipalIdeals|BasisAutomaton|BasisByGens|BasisBySubspaces|BasisChangeAffineMatOnRight|BasisChangeMatrix@RepnDecomp|BasisChangeMatrixSimilar|BasisChangeMatrixSimilar@RepnDecomp|BasisCoeff|BasisForFreeModuleByNiceBasis|BasisNC|BasisNullspaceModN|BasisNullspaceSolution|BasisOfAlgebraModule|BasisOfColumnModule|BasisOfColumns|BasisOfColumnsCoeff|BasisOfDomain|BasisOfExternalHom|BasisOfGroupGivenByEquations|BasisOfLabel|BasisOfLiePRing|BasisOfModule|BasisOfMonomialSpace|BasisOfNormalizingSubfield|BasisOfProjectives|BasisOfRowModule|BasisOfRows|BasisOfRowsCoeff|BasisOfSimpleRoots|BasisOfSparseRowSpace|BasisOfWeightRepSpace|BasisSocleSeries|BasisVectors|BasisVectorsForMatrixAction|BasisVectorsOfMatrixField|BasisWithReplacedLeftModule|BassCyclicUnit|BaumClausenInfo|BaumClausenInfoDebug|BeauzamyBound|BeauzamyBoundGcd|Bell|BelongsToAffineSemigroup|BelongsToGoodIdeal|BelongsToGoodSemigroup|BelongsToHomogenizationOfNumericalSemigroup|BelongsToIdealOfAffineSemigroup|BelongsToIdealOfNumericalSemigroup|BelongsToNumericalSemigroup|BenchmarkGromovDensity|BenchmarkRandomPresentation|BenchmarkRandom_FreeGroupPregroup|BenchmarkRandom_OverSmallPregroup|BenchmarkRandom_TriPregroup|BenchmarkSinglePres|Bernoulli|BestBasis|BestKnownLinearCode|BestQuoInt|BestSplittingMatrix|BetaNumbers|BetaNumbersOp|BetaSet|BetterBasis|BetterLoggedRuleByReductionOrLength|BetterPresentation|BetterRuleByReductionOrLength|BettiDiagram|BettiElements|BettiElementsOfAffineSemigroup|BettiElementsOfNumericalSemigroup|BettiNumber|BettiNumberPcpGroup|BettiNumberToric|BettiNumbers|BettiTable|BettiTableOverCoefficientsRing|Bettinumbers|BettinumbersOfPureCubicalComplex_dim_2|BezoutSequence|BiAlgebraModule|BiAlgebraModuleByGenerators|BiasedDoubleShiftAlgebra|BibEntry|BibXMLEntryOps|BibXMLextStructure|BibliographySporadicSimple|Bibxmlext|Bicomponents|BicyclicUnitGroup|BicyclicUnitOfType1|BicyclicUnitOfType2|BidegreeOfDifferential|BidegreesOfBicomplex|BidegreesOfObjectOfTotalComplex|BidegreesOfSpectralSequence|BidualizingBicomplex|BidualizingSpectralSequence|BigIntToListofInts|BigPrimitiveRoot|BigStepLCS|BigTrace|Bijective1Cocycle|BilinearFormByMatrix|BilinearFormByMatrixOp|BilinearFormByPolynomial|BilinearFormByQuadraticForm|BilinearFormCollFamily|BilinearFormFamily|BilinearFormFieldReduction|BilinearFormMat|BilinearFormMatNF|BilinearFormOfUnitForm|BilinearFormType|BimulNP|BinaryAddingElement|BinaryAddingGroup|BinaryAddingMachine|BinaryArrayToTextFile|BinaryGolayCode|BinaryHeap|BinaryHeapType|BinaryKneadingGroup|BinaryKneadingMachine|BinaryPowering|BinaryRelationByElements|BinaryRelationByListOfImages|BinaryRelationByListOfImagesNC|BinaryRelationOnPoints|BinaryRelationOnPointsNC|BinaryRelationTransformation|BinaryRepresentation|BinaryTree|BinaryTreeCons|BindConstant|BindGlobal|BindKeySequence|BindKeysToGAPHandler|BindOnce|BindThreadLocal|BindThreadLocalConstructor|BindingsOfClosure|Binomial|BinomialTreeGraph|BinomialTreeGraphCons|BinsByGT|BipartiteDouble|BipartiteDoubleDigraph|Bipartition|BipartitionByIntRep|BisectInterval|BisectorInequalityFromPointPair|BisetByFRGroup|BisetByFRMachine|BisetByFRMonoid|BisetByFRSemigroup|BisetElement|BishopGraph|BishopsGraph|BishopsGraphCons|BitFlipDecoder|BlankFreeString|BlanklessPrintTo|BlindlyCopyMatrixProperties|BlindlyCopyMatrixPropertiesToFakeLocalMatrix|BlindlyCopyMatrixPropertiesToLocalMatrix|BlindlyCopyMatrixPropertiesToMatrixOverGradedRing|BlindlyCopyMatrixPropertiesToResidueClassMatrix|BlissAutomorphismGroup|BlissCanonicalDigraph|BlissCanonicalDigraphAttr|BlissCanonicalLabelling|BlistList|BlistNumber|BlistStringDecode|Blob|BlockCanonicalForm|BlockCanonicalFormBySeries|BlockDecomposition|BlockDecompositionOfModule|BlockDesign|BlockDesignBlocks|BlockDesignEfficiency|BlockDesignFromParseTree|BlockDesignIsomorphismClassRepresentatives|BlockDesignOfGeneralisedPolygon|BlockDesignOfGeneralisedPolygonAttr|BlockDesignPoints|BlockDesigns|BlockDesignsFromXMLFile|BlockDesignsToXMLFile|BlockDiagonalBasisOfRepresentation|BlockDiagonalMat|BlockDiagonalMatrix|BlockDiagonalMatrix@RepnDecomp|BlockDiagonalRepresentation|BlockForm|BlockFromParseTree|BlockIntersectionNumbers|BlockIntersectionNumbersK|BlockIntersectionPolynomial|BlockIntersectionPolynomialCheck|BlockMatrix|BlockNumbers|BlockOrbitStabilizer|BlockOrdering|BlockSizes|BlockSplittingIdempotents|Blocks|BlocksAttr|BlocksFromParseTree|BlocksIncidentPoints|BlocksInfo|BlocksOfAlgebra|BlocksOfDesign|BlocksOfMat@RepnDecomp|BlocksOp|BlockwiseDirectSumCode|BlowUp|BlowUpCocycleSQ|BlowUpIdealOfNumericalSemigroup|BlowUpIsomorphism|BlowUpOfNumericalSemigroup|BlowUpPcpPGroup|BlownUpMat|BlownUpMatrix|BlownUpModule|BlownUpProjectiveSpace|BlownUpProjectiveSpaceBySubfield|BlownUpSubspaceOfProjectiveSpace|BlownUpSubspaceOfProjectiveSpaceBySubfield|BlownUpVector|BlowupInterval|Bockstein|BocksteinHomology|Bogomology|BogomolovMultiplier|BogomolovMultiplier_viaTensorSquare|BombieriNorm|BondyGraph|BondyGraphCons|BongartzTest|BookGraph|BookGraphCons|BooleanAdjacencyMatrix|BooleanAdjacencyMatrixMutableCopy|BooleanFamily|BooleanFunctionByNeuralNetwork|BooleanFunctionByNeuralNetworkDASG|BooleanFunctionBySTE|BooleanMat|BooleanMatNumber|BooleanMatType|BorelSubgroup|BosmaBase|BoundForConductorOfImageOfPattern|BoundForResolution|BoundPositions|BoundariesOfComplex|BoundariesOfFilteredChainComplex|Boundary|BoundaryForEquivalence|BoundaryFunction|BoundaryMap|BoundaryMatrix|BoundaryOfFreeZGLetter|BoundaryOfFreeZGLetterNC|BoundaryOfFreeZGLetterNC_LargeGroupRep|BoundaryOfFreeZGLetter_LargeGroupRep|BoundaryOfFreeZGWord|BoundaryOfFreeZGWordNC|BoundaryOfFreeZGWordNC_LargeGroupRep|BoundaryOfFreeZGWord_LargeGroupRep|BoundaryOfGeneratorNC_LargeGroupRep|BoundaryOfGenerator_LargeGroupRep|BoundaryOfPureComplex|BoundaryOfPureCubicalComplex|BoundaryOfPureRegularCWComplex|BoundaryOfRegularCWCell|BoundaryOperator|BoundaryPairOfPureRegularCWComplex|BoundedBinaryGroup|BoundedClassAutomaton|BoundedDescendantsRWO|BoundedIndexAbelianized|BoundedRefinementEANormalSeries|BoundingPureComplex|BoundingPureCubicalComplex|BoundsCoveringRadius|BoundsMinimumDistance|Brace2CycleSet|Brace2YB|BraceP2|BraidGroupGenerators|BraidedMonoidalCategoriesTest|Braiding|BraidingInverse|BraidingInverseWithGivenTensorProducts|BraidingWithGivenTensorProducts|BranchRWO|BranchStructure|Branching|BranchingIdeal|BranchingSubgroup|BrandtSemigroup|BrandtSemigroupCons|BrauerCharacterValue|BrauerConfigurationAlgebra|BrauerMonoid|BrauerTable|BrauerTableFromLibrary|BrauerTableOfTypeMGA|BrauerTableOfTypeV4G|BrauerTableOp|BrauerTree|BravaisGroup|BravaisGroupsCrystalFamily|BravaisSubgroups|BravaisSupergroups|BreakOnError|BridgeQuiver|Bridges|Browse|BrowseAtlasContents|BrowseAtlasImprovements|BrowseAtlasInfo|BrowseAtlasMap|BrowseAtlasTable|BrowseBibliography|BrowseBibliographyGapPackages|BrowseBibliographySporadicSimple|BrowseCTblLibDifferences|BrowseCTblLibInfo|BrowseCTblLibInfo_GroupInfoTable|BrowseCachingStatistic|BrowseChangeSides|BrowseChangeSidesSolutions|BrowseCommonIrrationalities|BrowseConwayPolynomials|BrowseData|BrowseDecompositionMatrix|BrowseDirectory|BrowseGapData|BrowseGapDataAdd|BrowseGapManuals|BrowseGapMethods|BrowseGapPackages|BrowseMSC|BrowseMinimalDegrees|BrowsePackageVariables|BrowseProfile|BrowsePuzzle|BrowsePuzzleSolution|BrowseRubiksCube|BrowseTableFromDatabaseIdEnumerator|BrowseTimingStatistics|BrowseTomLibInfo|BrowseUserPreferences|Browse_svnRevision|BrunnerSidkiVieiraGroup|BrunnerSidkiVieiraMachine|BrutalTruncation|BrutalTruncationAbove|BrutalTruncationBelow|BuchsbaumNumberOfAssociatedGradedRingNumericalSemigroup|BufferAndStack|BuildBitfields|BuildRecBibXMLEntry|BuildRewritingFromData|BurdeGrunewaldPcpGroup|ByASmallerPresentation|CACHINGOBJECT_HIT|CACHINGOBJECT_MISS|CAJFloor|CAJSetSetListMin|CAJSetSetOrdering|CALL_ACE|CALL_FUNC_LIST|CALL_FUNC_LIST_WRAP|CALL_WITH_CATCH|CALL_WITH_FORMATTING_STATUS|CALL_WITH_STREAM|CANONICALBASIS@FR|CANONICAL_BASIS_FLAGS|CANONICAL_PC_ELEMENT|CAPAddPrepareFunction|CAPITALLETTERS|CAPOperationPrepareFunction|CAP_CATEGORY_SOURCE_RANGE_THEOREM_INSTALL_HELPER|CAP_INTERNAL|CAP_INTERNAL_ADD_MORPHISM_OR_FAIL|CAP_INTERNAL_ADD_OBJECT_OR_FAIL|CAP_INTERNAL_ADD_REPLACEMENTS_FOR_METHOD_RECORD|CAP_INTERNAL_ASSERT_IS_CELL_OF_CATEGORY|CAP_INTERNAL_ASSERT_IS_LIST_OF_MORPHISMS_OF_CATEGORY|CAP_INTERNAL_ASSERT_IS_LIST_OF_OBJECTS_OF_CATEGORY|CAP_INTERNAL_ASSERT_IS_LIST_OF_TWO_CELLS_OF_CATEGORY|CAP_INTERNAL_ASSERT_IS_MORPHISM_OF_CATEGORY|CAP_INTERNAL_ASSERT_IS_NON_NEGATIVE_INTEGER_OR_INFINITY|CAP_INTERNAL_ASSERT_IS_OBJECT_OF_CATEGORY|CAP_INTERNAL_ASSERT_IS_TWO_CELL_OF_CATEGORY|CAP_INTERNAL_CATEGORICAL_PROPERTIES_LIST|CAP_INTERNAL_CATEGORY_PROPERTY_RANK_AND_STRING|CAP_INTERNAL_CONSTRUCTIVE_CATEGORIES_RECORD|CAP_INTERNAL_CORE_METHOD_NAME_RECORD|CAP_INTERNAL_CREATE_Cat|CAP_INTERNAL_CREATE_FUNCTOR_SOURCE|CAP_INTERNAL_CREATE_MORPHISM_PRINT|CAP_INTERNAL_CREATE_NEW_FUNC_WITH_ONE_MORE_ARGUMENT_WITHOUT_RETURN|CAP_INTERNAL_CREATE_NEW_FUNC_WITH_ONE_MORE_ARGUMENT_WITH_RETURN|CAP_INTERNAL_CREATE_OBJECT_PRINT|CAP_INTERNAL_CREATE_POST_FUNCTION|CAP_INTERNAL_CREATE_PRODUCT_ARGUMENT_LIST|CAP_INTERNAL_CREATE_REDIRECTION|CAP_INTERNAL_DERIVATION_GRAPH|CAP_INTERNAL_DERIVATION_SANITY_CHECK|CAP_INTERNAL_DISPLAY_ERROR_FOR_FUNCTION_OF_CATEGORY|CAP_INTERNAL_DOMAIN_SAVE|CAP_INTERNAL_ENHANCE_NAME_RECORD|CAP_INTERNAL_ENHANCE_NAME_RECORD_LIMITS|CAP_INTERNAL_FINAL_DERIVATION_LIST|CAP_INTERNAL_FINAL_DERIVATION_SANITY_CHECK|CAP_INTERNAL_FIND_APPEARANCE_OF_SYMBOL_IN_FUNCTION|CAP_INTERNAL_FIND_CORRECT_GENERALIZED_CATEGORY_TYPE|CAP_INTERNAL_FIND_OPPOSITE_PROPERTY_PAIRS_IN_METHOD_NAME_RECORD|CAP_INTERNAL_FUNCTOR_CREATE_FILTER_LIST|CAP_INTERNAL_GENERALIZED_MORPHISM_TRANSLATION_LIST|CAP_INTERNAL_GENERATE_CONVENIENCE_METHODS_FOR_LIMITS|CAP_INTERNAL_GENERATE_DOCUMENTATION_FOR_CATEGORY_INSTANCES|CAP_INTERNAL_GENERATE_DOCUMENTATION_FROM_METHOD_NAME_RECORD|CAP_INTERNAL_GET_CORRESPONDING_OUTPUT_OBJECTS|CAP_INTERNAL_INSTALL_ADDS_FROM_RECORD|CAP_INTERNAL_INSTALL_FUNCTOR_OPERATION|CAP_INTERNAL_INSTALL_METHODS_FOR_GENERALIZED_MORPHISM_SWITCHER|CAP_INTERNAL_INSTALL_OPERATIONS_FOR_SERRE_QUOTIENT|CAP_INTERNAL_INSTALL_OPERATIONS_FOR_SERRE_QUOTIENT_BY_COSPANS|CAP_INTERNAL_INSTALL_OPERATIONS_FOR_SERRE_QUOTIENT_BY_SPANS|CAP_INTERNAL_INSTALL_OPERATIONS_FOR_SERRE_QUOTIENT_BY_THREE_ARROWS|CAP_INTERNAL_INSTALL_OPPOSITE_ADDS_FROM_CATEGORY|CAP_INTERNAL_INSTALL_PRINT_FUNCTION|CAP_INTERNAL_INSTALL_PRODUCT_ADDS_FROM_CATEGORY|CAP_INTERNAL_INSTALL_WITH_GIVEN_DERIVATIONS|CAP_INTERNAL_INSTALL_WITH_GIVEN_DERIVATION_PAIR|CAP_INTERNAL_IS_EQUAL_FOR_METHOD_RECORD_ENTRIES|CAP_INTERNAL_MAKE_LOOP_SYMBOL_LOOK_LIKE_LOOP|CAP_INTERNAL_MERGE_FILTER_LISTS|CAP_INTERNAL_MERGE_PRECONDITIONS_LIST|CAP_INTERNAL_METHOD_NAME_RECORD|CAP_INTERNAL_METHOD_NAME_RECORDS_BY_PACKAGE|CAP_INTERNAL_METHOD_NAME_RECORD_LIMITS|CAP_INTERNAL_METHOD_RECORD_REPLACEMENTS|CAP_INTERNAL_NAME_COUNTER|CAP_INTERNAL_NICE_FUNCTOR_INPUT_LIST|CAP_INTERNAL_OPPOSITE_PROPERTY_PAIRS_FOR_MORPHISMS|CAP_INTERNAL_OPPOSITE_PROPERTY_PAIRS_FOR_OBJECTS|CAP_INTERNAL_OPPOSITE_RECURSIVE|CAP_INTERNAL_PREPARE_INHERITED_PRE_FUNCTION|CAP_INTERNAL_PREPARE_TIMING_STATISTICS_FOR_DISPLAY|CAP_INTERNAL_PRODUCT_SAVE|CAP_INTERNAL_REGISTER_METHOD_NAME_RECORD_OF_PACKAGE|CAP_INTERNAL_REPLACE_ADDITIONAL_SYMBOL_APPEARANCE|CAP_INTERNAL_REPLACE_STRINGS_WITH_FILTERS|CAP_INTERNAL_RETURN_OPTION_OR_DEFAULT|CAP_INTERNAL_REVERSE_LISTS_IN_ARGUMENTS_FOR_OPPOSITE|CAP_INTERNAL_SANITIZE_FUNC_LIST_FOR_FUNCTORS|CAP_INTERNAL_TERMINAL_CATEGORY|CAP_INTERNAL_TERMINAL_CATEGORY_AS_CAT_OBJECT|CAP_INTERNAL_VALIDATE_LIMITS_IN_NAME_RECORD|CAP_INTERNAL_VALID_RETURN_TYPES|CAP_INTERNAL_VALUE_GLOBAL_OR_VALUE|CAP_JIT_INTERNAL_KNOWN_METHODS|CAP_JIT_INTERNAL_TYPE_SIGNATURES|CAP_JIT_INTERNAL_TYPE_SIGNATURES_DEFERRED|CAP_MergeRecords|CAP_PREFUNCTION_BINARY_DIRECT_PRODUCT_TO_DIRECT_PRODUCT|CAP_PREFUNCTION_UNIVERSAL_MORPHISM_INTO_BINARY_DIRECT_PRODUCT_TO_UNIVERSAL_MORPHISM_INTO_DIRECT_PRODUCT|CAP_PREPARE_FUNCTION_RECORD|CARAT_BIN_DIR|CARAT_TMP_DIR|CASInfo|CASString|CAT1ALG_LIST|CAT1ALG_LIST_CLASS_SIZES|CAT1ALG_LIST_GROUP_SIZES|CAT1ALG_LIST_LOADED|CAT1ALG_LIST_MAX_SIZE|CAT1_LIST|CAT1_LIST_CLASS_SIZES|CAT1_LIST_LOADED|CAT1_LIST_MAX_SIZE|CAT1_LIST_NUMBERS|CATEGORIES_CACHE_GETTER|CATEGORIES_COLLECTIONS|CATEGORIES_FAMILY|CATEGORIES_FAMILY_PROPERTIES|CATEGORIES_FOR_HOMALG_PREPARE_CACHING_RECORD|CATEGORIES_FOR_HOMALG_SET_ALL_CACHES_CRISP|CATEGORIES_LOGIC_FILES|CATEGORY_FILTER_CHECKER|CATONEGROUP_DATA|CATONEGROUP_DATA_PERM|CATONEGROUP_DATA_SIZE|CATS_AND_REPS|CBRT_MACFLOAT|CBRT_MPFR|CCANT_1_7_3|CCANT_1_7_3_q11|CCANT_1_7_3_q63|CCANT_1_7_3_q64|CCANT_1_7_3_q65|CCAggregateBasisMat@RepnDecomp|CCBasisMats@RepnDecomp|CCCoeff@RepnDecomp|CCCountByLeftFiber@RepnDecomp|CCDegree@RepnDecomp|CCDimension@RepnDecomp|CCElementContainingPair@RepnDecomp|CCElementSize@RepnDecomp|CCFiberSizes@RepnDecomp|CCGlobalIndex@RepnDecomp|CCGroup@RepnDecomp|CCIntersectionMat@RepnDecomp|CCIntersectionMatCOO@RepnDecomp|CCIntersectionMatLIL@RepnDecomp|CCIntersectionMats@RepnDecomp|CCIntersectionMatsCOO@RepnDecomp|CCLGPGEOTW|CCLocalIndex@RepnDecomp|CCLoop|CCNumFibers@RepnDecomp|CCPopulateCoeffs@RepnDecomp|CCTransversal@RepnDecomp|CC_PermutationGroupProperties|CEIL_MACFLOAT|CEIL_MPFR|CF|CFRAC|CFRACSplit|CFUNC_FROM_CHARACTERISTIC|CFUNC_FROM_CHARACTERISTIC_SCHUNCK|CHANGED_METHODS_OPERATION|CHANGEFRMACHINEBASIS@FR|CHARS_DIGITS|CHARS_LALPHA|CHARS_SYMBOLS|CHARS_UALPHA|CHAR_FFE_DEFAULT|CHAR_INT|CHAR_SINT|CHEAPEST_ACE_MODE|CHECK|CHECKCASE|CHECKEXEC@FR|CHECKLENGTHSCONTENTS@FR|CHECK_ALL_METHOD_RANKS|CHECK_AUT|CHECK_CENT@Polycyclic|CHECK_CNF|CHECK_EPI|CHECK_IGS@Polycyclic|CHECK_INSTALL_METHOD|CHECK_INTNORM@Polycyclic|CHECK_INTSTAB@Polycyclic|CHECK_NORM@Polycyclic|CHECK_NQA|CHECK_NQ_QUOT|CHECK_OBLIQUITY|CHECK_PROP|CHECK_RANK|CHECK_REPEATED_ATTRIBUTE_SET|CHECK_SCHUR_PCP@Polycyclic|CHECK_SMITHNF_PPOWERPOLY|CHECK_STB|CHOP|CHOP_MULT|CHR|CIUnivPols|CLASMAXDATA|CLASS_ID_COUNT|CLASS_PAIRS|CLASS_PAIRS_LARGE|CLEAR_ALL_BLIST|CLEAR_CACHE_INFO|CLEAR_HIDDEN_IMP_CACHE|CLEAR_IMP_CACHE|CLEAR_OBJ_MAP|CLEAR_OBJ_SET|CLEAR_PROFILE_FUNC|CLONE_OBJ|CLONE_REACHABLE|CLOSED_AND_COCLOSED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|CLOSED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|CLOSE_FILE|CLOSE_INPUT_LOG_TO|CLOSE_LOG_TO|CLOSE_OUTPUT_LOG_TO|CLOSE_PTY_IOSTREAM|CMATS_SCALAR_PRODUCTS_ROWS|CMAT_ELM_LIST|CMAT_ENTRY_OF_MAT_PROD|CMat|CMeatAxe|CMeatAxeFileHeaderInfo|CMtxBinaryFFMatOrPerm|COAffineBlocks|COAffineCohomologyAction|COCLOSED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|COCohomologyAction|COComplements|COComplementsMain|CODEONLY@Polycyclic|CODE_SMALL_GROUP_FUNCS|COEFF@FR|COEFFS_CYC|COEFFS_SEMI_ECH_BASIS|COHOMOLO|COHORTS_PRIMITIVE_GROUPS|COLEM|COLLECT_PPOWERPOLY_PCP|COLOURLIST@FR|COLOURS@FR|COMM|COMMAND_AND_ARGUMENTS|COMMON_FIELD_VECFFE|COMM_DEFAULT|COMPACT_TYPE_IDS|COMPARE_AND_SWAP|COMPARE_FLOAT_ANY|COMPILED|COMPILE_FUNC|COMPLEMENT_SOLUTION_FUNCTION|COMPONENTS_PPERM|COMPONENTS_TRANS|COMPONENT_PPERM_INT|COMPONENT_REPS_PPERM|COMPONENT_REPS_TRANS|COMPONENT_TRANS_INT|COMPOSEELEMENT@FR|CONCAT@FR|CONDUCTOR|CONJACTMACHINE@FR|CONJUGATORS_BOUNDED_WRAPPER@FR|CONJUGATORS_BRANCH@FR|CONJUGATORS_FINITARY_WRAPPER@FR|CONJUGATORS_FINITE_STATE_WRAPPER@FR|CONJUGATOR_GRAPH@FR|CONSTANTVECTOR@FR|CONTAINS_OBJ_MAP|CONVERT_ASSOCW_TO_LIST|CONVERT_FLOAT_LITERAL|CONVERT_FLOAT_LITERAL_EAGER|CONVERT_LIST_OF_STRINGS_IN_MARKDOWN_TO_GAPDOC_XML|CONVERT_STRING_TO_BOOL_OR_INT|CONV_GF2MAT|CONV_GF2VEC|CONV_MAT8BIT|CONV_STRING|CONV_VEC8BIT|CONWAYPOLDATA|CONWAYPOLYNOMIALSINFO|CONextCentral|CONextCentraliser|CONextCentralizer|CONextCocycles|CONextComplements|COPYFRMACHINE@FR|COPY_GF2VEC|COPY_LIST_ENTRIES|COPY_SECTION_GF2VECS|COPY_TO_STRING_REP|COPY_VEC8BIT|COSET_LEADERS_INNER_8BITS|COSET_LEADERS_INNER_GF2|COSH_MACFLOAT|COSH_MPFR|COS_MACFLOAT|COS_MPFR|COSolvableFactor|COTH_MPFR|COT_MPFR|COUNT_SUBSTRING_APPEARANCE|COVER|COVER_LIMIT|CObject|CPCSOfGroupByFieldElements|CPCSOfTFGroupByFieldElements|CPCS_AbelianPRMGroup|CPCS_AbelianSSBlocks|CPCS_AbelianSSBlocks_ClosedUnderConj|CPCS_FactorGU_p|CPCS_FinitePart|CPCS_NonAbelianPRMGroup|CPCS_PRMGroup|CPCS_Unipotent|CPCS_UnipotentByAbelianGroupByRadSeries|CPCS_Unipotent_Conjugation|CPCS_Unipotent_Conjugation_Version2|CPCS_finite_word|CPROMPT|CREATE_CAP_CATEGORY_FILTERS|CREATE_CAP_CATEGORY_OBJECT|CREATE_LOCAL_VARIABLES_BAG|CREATE_PTY_IOSTREAM|CRISP_Read|CRISP_RedispatchOnCondition|CRISP_SmallGeneratingSet|CRMemSize|CRRecordByMats|CRRecordByPcp|CRRecordBySubgroup|CRRecordWithAction|CRSystem|CRYPTING_HexStringIntPad|CRYPTING_HexStringIntPad8|CRYPTING_SHA256_FINAL|CRYPTING_SHA256_HMAC|CRYPTING_SHA256_INIT|CRYPTING_SHA256_State_Family|CRYPTING_SHA256_State_Type|CRYPTING_SHA256_UPDATE|CR_2|CR_3|CR_4|CR_ChainMapFromCocycle|CR_CharTableQClass|CR_CocyclesAndCoboundaries|CR_DisplayQClass|CR_DisplaySpaceGroupGenerators|CR_DisplaySpaceGroupType|CR_DisplayZClass|CR_FpGroupQClass|CR_GeneratorsSpaceGroup|CR_GeneratorsZClass|CR_InitializeRelators|CR_IntegralClassToCocycle|CR_IntegralCocycleToClass|CR_IntegralCohomology|CR_IntegralCycleToClass|CR_MatGroupZClass|CR_Name|CR_NormalizerZClass|CR_Parameters|CR_PcGroupQClass|CR_SpaceGroup|CR_TextStrings|CR_ZClassRepsDadeGroup|CSCH_MPFR|CSC_MPFR|CSIAelement|CSIDepthElm|CSIElementAct|CSIImageHomNr|CSINiceGens|CSIProjectiveBases|CSsize1|CSsize2|CSsize3|CSsize4|CSsize5|CSsize6|CSsize7|CSsize8|CT|CTCSCRSplit|CTCons|CTblLib|CTblLibSetUnload|CURL_REQUEST|CURRENT_NAMESPACE|CURRENT_STATEMENT_LOCATION|CVEC|CVEC_64BIT_NUMBER_TO_STRING_LITTLE_ENDIAN|CVEC_ADD2|CVEC_ADD3|CVEC_ADDMUL|CVEC_ASS_CVEC|CVEC_ActionOnQuotient|CVEC_AddMat|CVEC_BYTESPERWORD|CVEC_BestGreaseTab|CVEC_CLEANROWKERNEL|CVEC_CMAT_INVERSE|CVEC_CMAT_INVERSE_GREASE|CVEC_CMatMaker|CVEC_CMatMaker_C|CVEC_CMatMaker_GAP|CVEC_COEFF_LIST_TO_C|CVEC_COPY|CVEC_COPY_SUBMATRIX|CVEC_CVEC_EQ|CVEC_CVEC_ISZERO|CVEC_CVEC_LT|CVEC_CVEC_TO_EXTREP|CVEC_CVEC_TO_INTREP|CVEC_CVEC_TO_NUMBERFFLIST|CVEC_CalcOrderPolyTuned|CVEC_CalibrationTableCache|CVEC_CalibrationTableNoCache|CVEC_CharAndMinimalPolynomial|CVEC_CharacteristicPolynomialFactors|CVEC_CharactersForDisplay|CVEC_CleanRow|CVEC_ComputeVectorLengthsForCalibration|CVEC_Concatenation|CVEC_CopySubMatrix|CVEC_CopySubMatrixUgly|CVEC_ELM_CVEC|CVEC_EQINT|CVEC_EXTRACT|CVEC_EXTRACT_DOIT|CVEC_EXTRACT_INIT|CVEC_EXTREP_TO_CVEC|CVEC_F|CVEC_FFELI_TO_INTLI|CVEC_FILL_GREASE_TAB|CVEC_FINALIZE_FIELDINFO|CVEC_FactorMultiplicity|CVEC_FastFill|CVEC_GREASEPOS|CVEC_GlueMatrices|CVEC_HandleScalar|CVEC_HashFunctionForCMats|CVEC_HashFunctionForCVecs|CVEC_IDX_GF|CVEC_IDX_bestgrease|CVEC_IDX_bitsperel|CVEC_IDX_classes|CVEC_IDX_conway|CVEC_IDX_d|CVEC_IDX_elsperword|CVEC_IDX_fieldinfo|CVEC_IDX_filts|CVEC_IDX_filtscmat|CVEC_IDX_greasetabl|CVEC_IDX_len|CVEC_IDX_lens|CVEC_IDX_p|CVEC_IDX_q|CVEC_IDX_scafam|CVEC_IDX_size|CVEC_IDX_tab1|CVEC_IDX_tab2|CVEC_IDX_type|CVEC_IDX_typecmat|CVEC_IDX_wordinfo|CVEC_IDX_wordlen|CVEC_INIT_SMALL_GFQ_TABS|CVEC_INTLI_TO_FFELI|CVEC_INTREP_TO_CVEC|CVEC_INVERT_FFE|CVEC_IdentityMat|CVEC_InverseWithGrease|CVEC_InverseWithoutGrease|CVEC_MAKEZERO|CVEC_MAKE_ZERO_CMAT|CVEC_MATRIX_TIMES_SCALAR|CVEC_MAXDEGREE|CVEC_MUL1|CVEC_MUL2|CVEC_MakeExample|CVEC_MakeJordanBlock|CVEC_MakeSpreadTab|CVEC_MinimalPolynomial|CVEC_MulMat|CVEC_MultiplyWinograd|CVEC_MultiplyWinogradMemory|CVEC_NEW|CVEC_NUMBERFFLIST_TO_CVEC|CVEC_New|CVEC_NewCVecClass|CVEC_NewCVecClassSameField|CVEC_OptimizeGreaseHint|CVEC_POSITION_LAST_NONZERO_CVEC|CVEC_POSITION_NONZERO_CVEC|CVEC_PROD_CMAT_CMAT_BIG|CVEC_PROD_CMAT_CMAT_DISPATCH|CVEC_PROD_CMAT_CMAT_GF2_SMALL|CVEC_PROD_CMAT_CMAT_GREASED|CVEC_PROD_CMAT_CMAT_NOGREASE|CVEC_PROD_CMAT_CMAT_NOGREASE2|CVEC_PROD_CMAT_CMAT_WITHGREASE|CVEC_PROD_COEFFS_CVEC_PRIMEFIELD|CVEC_PROD_CVEC_CMAT_GREASED|CVEC_PROD_CVEC_CMAT_NOGREASE|CVEC_RandomMat|CVEC_ReadMat|CVEC_ReadMatFromFile|CVEC_ReadMatsFromFile|CVEC_SCALAR_PRODUCT|CVEC_SLICE|CVEC_SLICE_LIST|CVEC_STRING_LITTLE_ENDIAN_TO_64BIT_NUMBER|CVEC_ScrambleMatrices|CVEC_Slice|CVEC_SliceList|CVEC_SpreadTabCache|CVEC_StoreGreaseCalibration|CVEC_TEST_ASSUMPTIONS|CVEC_TRANSPOSED_MAT|CVEC_VECTOR_TIMES_SCALAR|CVEC_ValueLaurentPoly|CVEC_WinogradBounds|CVEC_WriteMat|CVEC_WriteMatToFile|CVEC_WriteMatsToFile|CVEC_ZeroMat|CVEC_calibrationfile|CVEC_classes|CVEC_hostname|CVEC_lens|CVEC_q|CVec|CVecClass|CVecClassFamily|CVecFieldInfoFamily|CVecNumber|CWMap2ChainMap|CWSubcomplexToRegularCWMap|CXSCFloatsFamily|CXSC_INT|CYCLES_TRANS|CYCLES_TRANS_LIST|CYCLE_LENGTH_PERM_INT|CYCLE_PERM_INT|CYCLE_STRUCT_PERM|CYCLE_TRANS_INT|CYCLICACHE|CYCLOTOMIC_FIELDS|CYC_FLOAT|CYC_FLOAT_DEGREE|CacheFromObjectWrapper|CacheNodesFamily|CacheObject|CacheValue|CachesFamily|CachingObject|CachingStatistic|CalcDoubleCosets|CalcExtPres|CalcMaximalSubgroupClassReps|CalcNiceGens|CalcNiceGensGeneric|CalcNiceGensHomNode|CalcOrder|CalcPres|Calcreps2|Calcrepsn|CalculateDecompositionMatrix|CalculateLinearCodeCoveringRadius|CalculateTuplePartition|CallACE|CallAndInstallPostRestore|CallFuncList|CallFuncListWithTime|CallFuncListWrap|CallGroebner|CallMethods|CallOperationFromCategory|CambridgeMaps|CanBeUsedToDecideZero|CanBeUsedToDecideZeroEffectively|CanCompute|CanComputeActionOnPoints|CanComputeFittingFree|CanComputeIndex|CanComputeIsSubset|CanComputeMonomialsWithGivenDegreeForRing|CanComputeSize|CanComputeSizeAnySubgroup|CanComputeWithInverseAutomaton|CanEasilyCompareCongruenceSubgroups|CanEasilyCompareElements|CanEasilyCompareElementsFamily|CanEasilyComputePcgs|CanEasilyComputeWithIndependentGensAbelianGroup|CanEasilyDetermineCanonicalRepresentativeExternalSet|CanEasilySortElements|CanEasilySortElementsFamily|CanEasilyTestMembership|CanEasilyTestSelfSimilarity|CanEasilyTestSphericalTransitivity|CanHaveAToDoList|CanLoadDifferenceSets|CanMapFiniteAbelianInvariants|CanReduceIntersectionOfCongruenceSubgroups|CanUseFroidurePin|CanUseGapFroidurePin|CanUseLibsemigroupsCongruence|CanUseLibsemigroupsCongruences|CanUseLibsemigroupsFroidurePin|Cancel|CannotHaveAToDoList|CanoForm53|CanoFormWithAutGroupOfRad|CanoFormWithAutGroupOfTable|CanoForms53|CanonicalAlgebra|CanonicalBasis|CanonicalBasisOfKernelCongruence|CanonicalBlocks|CanonicalBooleanMat|CanonicalBooleanMatNC|CanonicalCayleyTable|CanonicalConfig_CommonOrbit|CanonicalConfig_CommonRatioOrbit|CanonicalConfig_CommonRatioOrbitFix|CanonicalConfig_Fast|CanonicalConfig_FixedMaxOrbit|CanonicalConfig_FixedMinOrbit|CanonicalConfig_MaxOrbit|CanonicalConfig_MinOrbit|CanonicalConfig_Minimum|CanonicalConfig_RareOrbit|CanonicalConfig_RareOrbitPlusCommon|CanonicalConfig_RareOrbitPlusMin|CanonicalConfig_RareOrbitPlusRare|CanonicalConfig_RareRatioOrbit|CanonicalConfig_RareRatioOrbitFix|CanonicalConfig_RareRatioOrbitFixPlusCommon|CanonicalConfig_RareRatioOrbitFixPlusMin|CanonicalConfig_RareRatioOrbitFixPlusRare|CanonicalConfig_SingleMaxOrbit|CanonicalCopy|CanonicalDecomposition|CanonicalEmbeddingByFieldReduction|CanonicalForm|CanonicalFormOfRad|CanonicalFormOfTable|CanonicalGenerators|CanonicalGramMatrix|CanonicalGreensClass|CanonicalIdeal|CanonicalIdealOfGoodSemigroup|CanonicalIdealOfNumericalSemigroup|CanonicalIdentificationFromCoimageToImageObject|CanonicalIdentificationFromImageObjectToCoimage|CanonicalImage|CanonicalImageOp|CanonicalImagePerm|CanonicalMapping|CanonicalMultiplicationTable|CanonicalMultiplicationTablePerm|CanonicalNiceMonomorphism|CanonicalOrbitRepresentativeForSubspaces|CanonicalPcElement|CanonicalPcgs|CanonicalPcgsByGeneratorsWithImages|CanonicalPcgsByNumber|CanonicalPcgsWrtFamilyPcgs|CanonicalPcgsWrtHomePcgs|CanonicalPcgsWrtSpecialPcgs|CanonicalPolarSpace|CanonicalProjection|CanonicalQuadraticForm|CanonicalReesMatrixSemigroup|CanonicalReesZeroMatrixSemigroup|CanonicalRelator|CanonicalRepresentativeDeterminatorOfExternalSet|CanonicalRepresentativeOfExternalSet|CanonicalResidueOfFlag|CanonicalRightCosetElement|CanonicalRightCountableCosetElement|CanonicalStarClass|CanonicalSubgroupRepresentativePcGroup|CanonicalTransformation|CapCat|CapCategory|CapCategorySwitchLogicOff|CapCategorySwitchLogicOn|CapCategorySwitchLogicPropagationForMorphismsOff|CapCategorySwitchLogicPropagationForMorphismsOn|CapCategorySwitchLogicPropagationForObjectsOff|CapCategorySwitchLogicPropagationForObjectsOn|CapCategorySwitchLogicPropagationOff|CapCategorySwitchLogicPropagationOn|CapFixpoint|CapFunctor|CapInternalInstallAdd|CapJitAddKnownMethod|CapJitAddTypeSignature|CapJitAddTypeSignatureDeferred|CapLogicInfo|Capacity|CaratBravaisInclusions|CaratCommand|CaratCrystalFamilies|CaratCrystalFamiliesFlat|CaratFactorString|CaratHelp|CaratInvariantFormSpace|CaratNextNumber|CaratNormalizerInGLnZFunc|CaratPermutedSymbols|CaratQClassCatalog|CaratReadBravaisFile|CaratReadBravaisRecord|CaratReadLine|CaratReadMatrices|CaratReadMatrix|CaratReadMatrixDiagonal|CaratReadMatrixFile|CaratReadMatrixFull|CaratReadMatrixScalar|CaratReadMatrixSymmetric|CaratReadMultiBravaisFile|CaratReadNumbers|CaratReadPosition|CaratShowFile|CaratStringToWordList|CaratTmpFile|CaratWriteBravaisFile|CaratWriteMatrix|CaratWriteMatrixFile|CardinalityOfToricVariety|CarrierAlgebra|CarrierAlgebraOfNilpotentOrbit|CartanDecomposition|CartanMatrix|CartanName|CartanSubalgebra|CartanSubalgebrasOfRealForm|CartanSubspace|CartanType|CarterSubgroup|Cartesian|Cartesian2|CartesianIterator|CartesianProduct|CartesianProductOfNumericalSemigroups|CasesCSPG|CastelnuovoMumfordRegularity|CastelnuovoMumfordRegularityOfSheafification|Cat|Cat1Algebra|Cat1AlgebraMorphism|Cat1AlgebraMorphismByHoms|Cat1AlgebraOfXModAlgebra|Cat1AlgebraSelect|Cat1Group|Cat1GroupByPeifferQuotient|Cat1GroupMorphism|Cat1GroupMorphismByGroupHomomorphisms|Cat1GroupMorphismOfXModMorphism|Cat1GroupOfXMod|Cat1GroupToHAP|Cat1Select|Cat2Group|Cat2GroupMorphism|Cat2GroupMorphismByCat1GroupMorphisms|Cat2GroupMorphismByGroupHomomorphisms|Cat2GroupMorphismOfCrossedSquareMorphism|Cat2GroupOfCrossedSquare|Cat3Group|CatOfComplex|CatOfRightAlgebraModules|CatOneGroupByCrossedModule|CatOneGroupToXMod|CatOneGroupsByGroup|CatalanMonoid|CategoricalEnrichment|CategoriesOfObject|CategoryArrow|CategoryByName|CategoryCollections|CategoryConstructor|CategoryFamily|CategoryFilter|CategoryName|CategoryObject|CategoryOfFunctor|CategoryOfOperationWeightList|Category_Of_Groups|CatenaryDegree|CatenaryDegreeOfAffineSemigroup|CatenaryDegreeOfElementInNumericalSemigroup|CatenaryDegreeOfNumericalSemigroup|CatenaryDegreeOfSetOfFactorizations|CatnGroup|CatnGroupLists|CatnGroupMorphism|CatnGroupMorphismByMorphisms|CatnGroupNumbers|CayleyDeterminant|CayleyDeterminant_Step|CayleyDigraph|CayleyGraph|CayleyGraphDualSemigroup|CayleyGraphOfGroup|CayleyGraphOfGroupDisplay|CayleyGraphSemigroup|CayleyGroup|CayleyMachine|CayleyMetric|CayleyTable|CayleyTableByPerms|CcElement|CcGroup|CechComplexOfPureCubicalComplex|Cedric_CheckThirdAxiomRow|Cedric_ConjugateQuandleElement|Cedric_FromAutGeReToAutQe|Cedric_IsHomomorphism|Cedric_Permute|Cedric_PlanarDiagram|Cedric_Quandle1|Cedric_Quandle2|Cedric_Quandle3|Cedric_Quandle4|Cedric_Quandle5|Cedric_Quandle6|Cedric_XYXYConnQuan|Cedric_XYXYQuandles|Ceil|CeilingOfRational|Cell|CellComplexBoundaryCheck|CellFilter|CellNoPoint|CellNoPoints|Cells|Center|CenterByLayer|CenterByTable|CenterOfCharacter|CenterOfCrossedProduct|CenterXMod|CentralAutos|CentralAutosNL|CentralCharacter|CentralElement|CentralElementBySubgroups|CentralIdempotentsOfAlgebra|CentralIdempotentsOfSemiring|CentralModules|CentralNormalSeriesByPcgs|CentralQuotient|CentralRelations|CentralStepClEANS|CentralStepConjugatingElement|CentralStepRatClPGroup|Centraliser|CentraliserInFiniteDimensionalAlgebra|CentraliserInGLnZ|CentraliserInParent|CentraliserModulo|CentraliserNormalCSPG|CentraliserNormalTransCSPG|CentraliserOp|CentraliserSizeLimitConsiderFunction|CentraliserTransSymmCSPG|CentraliserWreath|CentralizeByCentralSeries|Centralizer|CentralizerAffineCrystGroup|CentralizerBlocksOfRepresentation|CentralizerByCentralLayer|CentralizerBySeries|CentralizerElement|CentralizerInAssociativeGaussianMatrixAlgebra|CentralizerInFiniteDimensionalAlgebra|CentralizerInGLnZ|CentralizerInParent|CentralizerModulo|CentralizerNearRing|CentralizerNearRingFlag|CentralizerNilpotentPcpGroup|CentralizerNormalCSPG|CentralizerNormalTransCSPG|CentralizerOfRepresentation|CentralizerOp|CentralizerOrder|CentralizerPcpGroup|CentralizerPointGroupInGLnZ|CentralizerSizeLimitConsiderFunction|CentralizerSolvableGroup|CentralizerTransSymmCSPG|CentralizerWreath|CentralizesLayer|Centre|CentreFromSCTable|CentreNilpotentPcpGroup|CentreOfCharacter|CentrePcGroup|CentrePcpGroup|CentreXMod|CertainColumns|CertainGenerator|CertainGenerators|CertainHorizontalMorphism|CertainMorphism|CertainMorphismAsImageSquare|CertainMorphismAsKernelSquare|CertainMorphismAsLambekPairOfSquares|CertainMorphismAsSubcomplex|CertainMorphismOfSpecialChainMorphism|CertainObject|CertainObjectOfChainMorphism|CertainRelations|CertainRows|CertainSheet|CertainTwoMorphismsAsSubcomplex|CertainVerticalMorphism|Cgs|CgsParallel|ChainByCollection|ChainComplex|ChainComplexEquivalenceOfRegularCWComplex|ChainComplexFromPartialSpace|ChainComplexFromPartialSpaceNC|ChainComplexFromPartialSpaceNC_LargeGroupRep|ChainComplexFromPartialSpace_LargeGroupRep|ChainComplexFromWord|ChainComplexFromWordNC|ChainComplexFromWordNC_LargeGroupRep|ChainComplexOfCubicalComplex|ChainComplexOfCubicalPair|ChainComplexOfPair|ChainComplexOfQuotient|ChainComplexOfRegularCWComplex|ChainComplexOfRegularCWComplexWithVectorField|ChainComplexOfSimplicialComplex|ChainComplexOfSimplicialGroup|ChainComplexOfSimplicialPair|ChainComplexOfUniversalCover|ChainComplexToSparseChainComplex|ChainDigraph|ChainDigraphCons|ChainInclusionOfPureCubicalPair|ChainIterators|ChainMap|ChainMapOfCubicalPairs|ChainMapOfRegularCWMap|ChainMapOfSimplicialMap|ChainStabilizer|ChamberOfIncidenceStructure|ChangeDirectoryCurrent|ChangeFRMachineBasis|ChangeGenerator|ChangeGlobalVariable|ChangeSeriesThrough|ChangeStabChain|ChangeUnipotChevRep|ChangedBaseDomain|ChangedSupport|ChapterInTree|ChapterInfo|CharAndMinimalPolynomialOfMatrix|CharFunctionByIsomRestrictions|CharFunctionByPrimeRestrictions|CharInt|CharIsSpace|CharSInt|CharTableAlternating|CharTableDoubleCoverAlternating|CharTableDoubleCoverSymmetric|CharTableLibrary|CharTableQClass|CharTableSpecialized|CharTableSymmetric|CharTableWeylB|CharTableWeylD|CharValue|CharValueDoubleCoverSymmetric|CharValueSymmetric|CharValueWeylB|Character|CharacterDegreePool|CharacterDegrees|CharacterDegreesConlon|CharacterDescent|CharacterMorphismGroup|CharacterMorphismOrbits|CharacterNames|CharacterOfRepresentation@RepnDecomp|CharacterOfTensorProductOfRepresentations|CharacterParameters|CharacterString|CharacterSubgroup|CharacterSubgroupLinearConstituent|CharacterSubgroupRepresentation|CharacterSylowSubgroup|CharacterTable|CharacterTableComputedByMagma|CharacterTableDirectProduct|CharacterTableDisplayDefault|CharacterTableDisplayDefaults|CharacterTableDisplayLegendDefault|CharacterTableDisplayStringEntryDataDefault|CharacterTableDisplayStringEntryDefault|CharacterTableFactorGroup|CharacterTableForGroupInfo|CharacterTableFromLibrary|CharacterTableHeadOfFactorGroupByFusion|CharacterTableIsoclinic|CharacterTableOfCommonCentralExtension|CharacterTableOfIndexTwoSubdirectProduct|CharacterTableOfInverseSemigroup|CharacterTableOfNormalSubgroup|CharacterTableOfTypeGS3|CharacterTableQuaternionic|CharacterTableRegular|CharacterTableSortedWRTCentralExtension|CharacterTableSpecialized|CharacterTableWithSortedCharacters|CharacterTableWithSortedClasses|CharacterTableWithStoredGroup|CharacterTableWreathSymmetric|CharacterTable_IsNilpotentFactor|CharacterTable_IsNilpotentNormalSubgroup|CharacterTable_UpperCentralSeriesFactor|CharacterValueWreathSymmetric|Characteristic|CharacteristicFactorsOfGroup|CharacteristicOfField|CharacteristicPolynomial|CharacteristicPolynomialMatrixNC|CharacteristicPolynomialOfMatrix|CharacteristicSubgroups|CharacteristicVectorOfFunction|CharacteristicsOfStrata|CharneyBraidFpGroup|CharsFamily|CheapFactorsInt|CheapIsomSymAlt|CheckAGDescription|CheckAgStab|CheckAndCleanGapDocTree|CheckAndExtractArguments|CheckAppVerTypList|CheckAssoc|CheckAssociativity|CheckBin|CheckBlocksForCycles|CheckBraiding|CheckColourClasses|CheckCommutativity|CheckComplement|CheckConjugacy|CheckConsistency|CheckConsistencyOfDefinitions|CheckConstructivenessOfCategory|CheckCosetTableFpGroup|CheckDigitISBN|CheckDigitISBN13|CheckDigitPostalMoneyOrder|CheckDigitTestFunction|CheckDigitUPC|CheckField|CheckFixedPoints|CheckFlags|CheckForElimination|CheckForHandlingByNiceBasis|CheckForIsomorphism|CheckForWildness|CheckFrattFreeNonNil|CheckGenerationPairs|CheckGlStab|CheckGlobalName|CheckGroupByAlgebra|CheckGroupByTable|CheckHomogeneousNPs|CheckIfTheyLieInTheSameCategory|CheckIgs|CheckInSubgroup|CheckIsLiePRing|CheckIsomByTables|CheckKernelSpecial|CheckLiePSM|CheckLoggedKnuthBendix|CheckMat|CheckMatCode|CheckMatCodeMutable|CheckNormalizer|CheckOrbit|CheckOrderPSM|CheckOutputOfCAS|CheckPermChar|CheckPol|CheckPolCode|CheckQuiverSubsetForCycles|CheckReducedDiagram|CheckSingularExecutableAndTempDir|CheckStabilizer|CheckSynonyms|CheckTranslationBasis|CheckTrivialCohom|ChernCharacter|ChernCharacterPolynomial|ChernPolynomial|Chevalley3D4|ChevalleyBasis|ChevalleyCommutatorConstant|ChevalleyEilenbergComplex|ChevalleyG|ChiefNormalSeriesByPcgs|ChiefSeries|ChiefSeriesOfGroup|ChiefSeriesTF|ChiefSeriesThrough|ChiefSeriesUnderAction|ChildClose|ChildCommand|ChildCreate|ChildFunction|ChildGet|ChildKill|ChildProcess|ChildPut|ChildRead|ChildReadEval|ChildRestart|ChineseRem|Choices|CholeskyDecomp|Chomp|ChooseDemo|ChooseHashFunction|ChooseNextBasePoint|ChromaticNumber|CircleFamily|CircleObject|CircuitsOfKernelCongruence|CirculantGraph|CirculantGraphCons|CirculantMatrix|Cite|Class|ClassAutFromBase|ClassAutFromBaseEncoding|ClassAutomaton|ClassComparison|ClassDirectSum|ClassElementLargeGroup|ClassElementLattice|ClassElementSmallGroup|ClassFunction|ClassFunctionSameType|ClassFusionsForIndexTwoSubdirectProduct|ClassInfo|ClassLimit|ClassListRep|ClassMaker|ClassMultiplicationCoefficient|ClassNames|ClassNamesTom|ClassNumbersElements|ClassOfLiePRing|ClassOrbit|ClassPairs|ClassParameters|ClassPermutation|ClassPositionsOfAgemo|ClassPositionsOfCenter|ClassPositionsOfCentre|ClassPositionsOfDerivedSubgroup|ClassPositionsOfDirectProductDecompositions|ClassPositionsOfElementaryAbelianSeries|ClassPositionsOfFittingSubgroup|ClassPositionsOfKernel|ClassPositionsOfLowerCentralSeries|ClassPositionsOfMaximalNormalSubgroups|ClassPositionsOfMinimalNormalSubgroups|ClassPositionsOfNormalClosure|ClassPositionsOfNormalSubgroup|ClassPositionsOfNormalSubgroups|ClassPositionsOfPCore|ClassPositionsOfSolubleResiduum|ClassPositionsOfSolvableRadical|ClassPositionsOfSolvableResiduum|ClassPositionsOfSupersolvableResiduum|ClassPositionsOfUpperCentralSeries|ClassReflection|ClassRepsPermutedTuples|ClassRoots|ClassRotation|ClassRotationOfZxZ|ClassShift|ClassShiftOfZxZ|ClassStructureCharTable|ClassSum@RepnDecomp|ClassSumCentralizer|ClassSumCentralizerCoeffs@RepnDecomp|ClassSumCentralizerNC|ClassSums@RepnDecomp|ClassTransposition|ClassTranspositionOfZxZ|ClassTypesTom|ClassUnionShift|ClassWiseConstantOn|ClassWiseOrderPreservingOn|ClassWiseOrderReversingOn|Classes|ClassesFromClassical|ClassesProjectiveImage|ClassesSolubleGroup|ClassesSolvableGroup|ClassicalForms_GeneratorsWithoutScalarsDual|ClassicalForms_GeneratorsWithoutScalarsFrobenius|ClassicalForms_InvariantFormDual|ClassicalForms_InvariantFormFrobenius|ClassicalForms_QuadraticForm|ClassicalForms_QuadraticForm2|ClassicalForms_ScalarMultipleDual|ClassicalForms_ScalarMultipleFrobenius|ClassicalForms_Signum|ClassicalForms_Signum2|ClassicalGroupInfo|ClassicalIsomorphismTypeFiniteSimpleGroup|ClassicalMaximals|ClassicalMethDb|Classify|ClassifyRelationsOfFpGroup|CleanAll|CleanBasis|CleanCurrent|CleanNP|CleanRow|CleanedFactorsList|CleanedTailPcElement|ClearAllBlist|ClearCache|ClearCacheStats|ClearCentralRelations|ClearCombCollStats|ClearDefinitionNC|ClearDenominatorsRowWise|ClearDigraphEdgeLabels|ClearDigraphVertexLabels|ClearLine|ClearOutWithOnes|ClearPQuotientStatistics|ClearPolymakeObject|ClearProfile|ClearTraceInternalMethodsCounts|ClfToCll|CliqueAdjacencyBound|CliqueAdjacencyPolynomial|CliqueComplex|CliqueNumber|Cliques|CliquesFinder|CliquesOfGivenSize|CllToClf|CloseConnection|CloseHTTPConnection|CloseMutableBasis|CloseNaturalHomomorphismsPool|CloseSCSCPconnection|CloseSingular|CloseStream|CloseSubspace|ClosedIntervalNS|ClosedMonoidalCategoriesTest|ClosedStreamType|ClosedSubsets|ClosedSurface|ClosureAdditiveGroup|ClosureAdditiveMagmaDefault|ClosureAdditiveMagmaWithInverses|ClosureAlgebra|ClosureBasePcgs_word|ClosureCWCell|ClosureDiagram|ClosureDivisionRing|ClosureField|ClosureGroup|ClosureGroupAddElm|ClosureGroupCompare|ClosureGroupDefault|ClosureGroupIntest|ClosureGroupQuick|ClosureInverseMonoid|ClosureInverseSemigroup|ClosureInverseSemigroupOrMonoidNC|ClosureLeftModule|ClosureLeftOperatorRing|ClosureMagmaDefault|ClosureMonoid|ClosureNearAdditiveGroup|ClosureNearAdditiveMagmaWithInverses|ClosureNearRing|ClosureNearRingIdeal|ClosureNearRingLeftIdeal|ClosureNearRingRightIdeal|ClosureRandomPermGroup|ClosureRing|ClosureSemigroup|ClosureSemigroupOrMonoidNC|ClosureSemiring|ClosureSubgroup|ClosureSubgroupNC|ClosureSubgroups|CntOp|CoClass|CoDegreeOfPartialPerm|CoDualOnMorphisms|CoDualOnMorphismsWithGivenCoDuals|CoDualOnObjects|CoDualityTensorProductCompatibilityMorphism|CoDualityTensorProductCompatibilityMorphismWithGivenObjects|CoKernel|CoKernelGensIterator|CoKernelGensPermHom|CoKernelOfAdditiveGeneralMapping|CoKernelOfMultiplicativeGeneralMapping|CoKernelOfWhat|CoKernelProjection|CoLambdaElimination|CoLambdaIntroduction|CoRankMorphism|CoSuFp|CoTraceMap|CoastrictionToImage|CoastrictionToImageWithGivenImageObject|Coboundaries|CoboundaryMatrix|CocGroup|CocVecs|Cochain|CochainComplex|CochainSpace|CoclosedCoevaluationForCoDual|CoclosedCoevaluationForCoDualWithGivenTensorProduct|CoclosedCoevaluationMorphism|CoclosedCoevaluationMorphismWithGivenSource|CoclosedEvaluationForCoDual|CoclosedEvaluationForCoDualWithGivenTensorProduct|CoclosedEvaluationMorphism|CoclosedEvaluationMorphismWithGivenRange|CoclosedMonoidalCategoriesTest|CocomplexOfSimplicialSet|CocriticalCellsOfRegularCWComplex|Cocycle|CocycleByData|CocycleCondition|CocycleConjugateComplement|CocycleInfo|CocycleMapFromGeneratorData|CocycleOfNumericalSemigroupWRTElement|CocycleSQ|Cocycles|CocyclicHadamardMatrices|CocyclicMatrices|CodeByLeftIdeal|CodeCharacteristicPolynomial|CodeCover|CodeDensity|CodeDescription|CodeDistanceEnumerator|CodeGenerators|CodeIsomorphism|CodeLength|CodeLoop|CodeMacWilliamsTransform|CodeNorm|CodePcGroup|CodePcgs|CodeWeightEnumerator|CodeWordByGroupRingElement|CodefectProjection|CodegreeOfPartialPerm|CodegreeOfPartialPermCollection|CodegreeOfPartialPermSemigroup|CodegreeOfPurity|Codeword|CodewordFamily|CodewordNr|CodewordType|CodewordVector|CodomainOfBipartition|CodomainProjection|Coeff2Compact|CoeffList2CyclotomicList|Coefficient|CoefficientModule|CoefficientOfPolynomial00|CoefficientOfUnivariatePolynomial|CoefficientOp|CoefficientRange|CoefficientTaylorSeries|CoefficientToPolynomial|Coefficients|CoefficientsAndMagmaElements|CoefficientsAndMagmaElementsAsLists|CoefficientsByBase|CoefficientsByFactorLattice|CoefficientsByNHLB|CoefficientsByNHSEB|CoefficientsBySupport|CoefficientsFamily|CoefficientsFamilyEmbedded|CoefficientsInAbelianExtension|CoefficientsMod|CoefficientsMultiadic|CoefficientsOfElementOfGrothendieckGroupOfProjectiveSpace|CoefficientsOfLaurentPolynomial|CoefficientsOfLaurentPolynomialsWithRange|CoefficientsOfMorphism|CoefficientsOfMorphismWithGivenBasisOfExternalHom|CoefficientsOfNumeratorOfHilbertPoincareSeries|CoefficientsOfNumeratorOfHilbertPoincareSeries_ViaBettiTableOfMinimalFreeResolution|CoefficientsOfPoincareSeries|CoefficientsOfPolynomial|CoefficientsOfSigmaAndTheta|CoefficientsOfSqrtFieldElt|CoefficientsOfUnivariateLaurentPolynomial|CoefficientsOfUnivariatePolynomial|CoefficientsOfUnivariateRationalFunction|CoefficientsOfUnreducedNumeratorOfHilbertPoincareSeries|CoefficientsOfVectors|CoefficientsQadic|CoefficientsRing|CoefficientsToStringList|CoefficientsVectorHNF|CoefficientsWithGivenMonomials|Coeffs|Coeffs2SCTableForm|CoeffsCenterBasis|CoeffsCommutatorBasis|CoeffsCyc|CoeffsInt|CoeffsMinimalElement|CoeffsMod|CoeffsNatBasisOfAug|CoeffsWeightedBasisOfRad|Coequalizer|CoequalizerFunctorial|CoequalizerFunctorialWithGivenCoequalizers|CoequalizerOp|CoercedMatrix|CoevaluationForDual|CoevaluationForDualWithGivenTensorProduct|CoevaluationMorphism|CoevaluationMorphismWithGivenRange|Cofactor|CohCfgFromPermGroup@RepnDecomp|Cohomolo|CohomologicalData|CohomologicalPeriod|Cohomology|CohomologyClass|CohomologyGenerators|CohomologyHomomorphism|CohomologyHomomorphismOfRepresentation|CohomologyModule|CohomologyModule_AsAutModule|CohomologyModule_Gmap|CohomologyObject|CohomologyPrimePart|CohomologyRelators|CohomologyRing|CohomologyRingOfSimplicialComplex|CohomologySimplicialFreeAbelianGroup|Coimage|CoimageObject|CoimageProjection|CoimageProjectionWithGivenCoimage|CoimageProjectionWithGivenCoimageObject|Cokernel|CokernelColift|CokernelColiftWithGivenCokernelObject|CokernelCosequence|CokernelEpi|CokernelFunctorial|CokernelFunctorialWithGivenCokernelObjects|CokernelNaturalGeneralizedIsomorphism|CokernelObject|CokernelObjectFunctorial|CokernelObjectFunctorialWithGivenCokernelObjects|CokernelProjection|CokernelProjectionWithGivenCokernelObject|CokernelSequence|Colift|ColiftAlongEpimorphism|ColiftOrFail|CollFamRangeEqFamElms|CollFamSourceEqFamElms|CollapsedAdjacencyMat|CollapsedCompleteOrbitsGraph|CollapsedIndependentOrbitsGraph|CollapsedMat|CollatzLikeMappingByOrbitTree|Collect|CollectEntries|CollectEquivExtensions|CollectGarbage|CollectPPPPcp|CollectPolycyclic|CollectPolycyclicGap|CollectQEAElement|CollectRandomGeneratingTuples|CollectRandomTuples|CollectToWord|CollectUEALatticeElement|CollectWord|CollectWordOrFail|Collect_h_g_i|Collect_h_t_i|Collect_h_x_ij|Collect_ppowerpolypcp|Collect_t_ti|Collect_t_y|Collect_t_y_ppowerpolypcp|Collect_word_gi_ppowerpolypcp|Collect_word_ti_ppowerpolypcp|Collected|CollectedOneCR|CollectedOneCRNew|CollectedPartition|CollectedRelatorCR|CollectedTwoCR|CollectedWordSQ|CollectionsFamily|Collector|CollectorByMatNq|CollectorCentralCover|CollectorSQ|Collineation|CollineationAction|CollineationGroup|CollineationOfProjectiveSpace|CollineationSubgroup|ColorCosetList|ColorGroup|ColorHomomorphism|ColorOfElement|ColorPermGroup|ColorPermGroupHomomorphism|ColorPrompt|ColorSubgroup|ColoredInfoForService|Colour|ColumnCharacterTable|ColumnDegreesOfBettiTable|ColumnEchelonForm|ColumnOfReesMatrixSemigroupElement|ColumnOfReesZeroMatrixSemigroupElement|ColumnRankOfMatrix|Columns|ColumnsOfReesMatrixSemigroup|ColumnsOfReesZeroMatrixSemigroup|CombCollStats|CombiCollector_MakeAvector2|CombinationDisjointSets|Combinations|CombinationsA|CombinationsK|CombinatorialCollectPolycyclicGap|CombinatorialCollector|CombinatorialCollectorByGenerators|CombinatoricSplit|CombineAutTransducer|CombineEQuotientECore|CombineEQuotientECoreOp|Comm|Command|CommandLineHistory|CommonCoastriction|CommonCoastrictionOp|CommonDirectSummand|CommonEndomorphisms|CommonHomalgTableForFakeLocalRingsBasic|CommonHomalgTableForGAPHomalgBasic|CommonHomalgTableForGAPHomalgBestBasis|CommonHomalgTableForGAPHomalgTools|CommonHomalgTableForGaussBasic|CommonHomalgTableForGaussTools|CommonHomalgTableForGradedRings|CommonHomalgTableForGradedRingsBasic|CommonHomalgTableForGradedRingsTools|CommonHomalgTableForHomalgFakeLocalRing|CommonHomalgTableForLocalizedRings|CommonHomalgTableForLocalizedRingsAtPrimeIdeals|CommonHomalgTableForLocalizedRingsAtPrimeIdealsTools|CommonHomalgTableForLocalizedRingsBasic|CommonHomalgTableForLocalizedRingsTools|CommonHomalgTableForMAGMABasic|CommonHomalgTableForMAGMABestBasis|CommonHomalgTableForMAGMATools|CommonHomalgTableForMacaulay2Basic|CommonHomalgTableForMacaulay2Tools|CommonHomalgTableForMapleHomalgBasic|CommonHomalgTableForMapleHomalgBestBasis|CommonHomalgTableForMapleHomalgTools|CommonHomalgTableForOscarBasic|CommonHomalgTableForOscarTools|CommonHomalgTableForResidueClassRings|CommonHomalgTableForResidueClassRingsBasic|CommonHomalgTableForResidueClassRingsTools|CommonHomalgTableForRings|CommonHomalgTableForSageBasic|CommonHomalgTableForSageBestBasis|CommonHomalgTableForSageTools|CommonHomalgTableForSingularBasic|CommonHomalgTableForSingularBasicMoraPreRing|CommonHomalgTableForSingularBestBasis|CommonHomalgTableForSingularTools|CommonHomalgTableForSingularToolsMoraPreRing|CommonNonTrivialWeightOfIndeterminates|CommonRefinementOfPartitionsOfR_NC|CommonRefinementOfPartitionsOfZ_NC|CommonRepresentatives|CommonRestriction|CommonRestrictionOp|CommonRightInverse|CommonTransversal|CommutGenImgs|Commutant|CommutativeDiagram|CommutativeRWS|CommutativeRingOfLinearCategory|Commutator|CommutatorFactorGroup|CommutatorIdealByTable|CommutatorLength|CommutatorSubXMod|CommutatorSubgroup|CommutingProbability|Compact2Coeffs|CompactDimensionOfCartanSubalgebra|CompactSimpleRoots|Compacted|CompanionAutomorphism|CompanionMat|CompanionMatrix|CompareArgumentsForLinearFreeComplexOverExteriorAlgebraToModuleOnObjects|CompareArrowLists|CompareCyclotomicCollectionHelper|CompareCyclotomicCollectionHelper_Filters|CompareCyclotomicCollectionHelper_Proxies|CompareCyclotomicCollectionHelper_Semirings|CompareFlagsAndSize|CompareGetRelation|ComparePresentationsForOutputOfFunctors|CompareTables|CompareTimes|CompareVersionNumbers|CompareWithIndecInjective|CompareWithIndecProjective|CompareWords@SptSet|ComparisonFunction|ComparisonLifting|ComparisonLiftingToProjectiveResolution|CompatibilitySet|CompatibleBallElement|CompatibleConjugacyClasses|CompatibleConjugacyClassesDefault|CompatibleConjugate|CompatibleFunctionModNormalSubgroupNC|CompatibleFunctionNearRing|CompatibleKernels|CompatiblePairOrbitRepsGeneric|CompatiblePairs|CompatibleSubgroups|CompatibleVector|CompatibleVectorFilter|CompilePackage|Complement|ComplementAutomaton|ComplementBlocksBlockDesign|ComplementByH1Element|ComplementCR|ComplementClasses|ComplementClassesByPcgsModulo|ComplementClassesCR|ComplementClassesEfaPcps|ComplementClassesRepresentatives|ComplementClassesRepresentativesEA|ComplementClassesRepresentativesSolubleNC|ComplementClassesRepresentativesSolvableNC|ComplementClassesRepresentativesSolvableWBG|ComplementCover|ComplementDA|ComplementFactorFpHom|ComplementGraph|ComplementInFullRowSpace|ComplementIntMat|ComplementOfFilteredPureCubicalComplex|ComplementOfPureComplex|ComplementOfPureCubicalComplex|ComplementSRGParameters|ComplementSpace|ComplementSystem|ComplementaryBasis|Complementclasses|Complements|ComplementsCR|ComplementsMaximalUnderAction|ComplementsOfCentralSectionUnderAction|ComplementsOfCentralSectionUnderActionNC|ComplementsSG|CompleteBipartiteDigraph|CompleteBipartiteDigraphCons|CompleteChainMorphism|CompleteComplexByLinearResolution|CompleteComplexByResolution|CompleteDigraph|CompleteDigraphCons|CompleteGraph|CompleteGroup|CompleteImageSquare|CompleteIntersectionNumericalSemigroupsWithFrobeniusNumber|CompleteKernelSquare|CompleteKernelSquareByDualization|CompleteMultipartiteDigraph|CompleteMultipartiteDigraphCons|CompleteMultipartiteGraph|CompleteOrdersOfRws|CompleteProcess|CompleteRewritingSystem|CompleteSubgraphs|CompleteSubgraphsMain|CompleteSubgraphsOfGivenSize|CompleteTable|CompletelyReduce|CompletelyReduceGroebnerBasis|CompletelyReduceGroebnerBasisForModule|CompletionBar|CompletionToUnimodularMat|Complex|ComplexAndChainMaps|ComplexByDifferentialList|ComplexConjugate|ComplexOfSimplicialSet|ComplexProjectiveSpace|ComplexificationQuat|ComplexityOfAlgebra|ComplexityOfModule|ComponentLocalInfos|ComponentOfMorphismFromDirectSum|ComponentOfMorphismIntoDirectSum|ComponentPartialPermInt|ComponentRepsOfPartialPerm|ComponentRepsOfPartialPermSemigroup|ComponentRepsOfTransformation|ComponentRepsOfTransformationSemigroup|ComponentStringOfPartialPerm|ComponentTransformationInt|Components|ComponentsOfDirectProductElementsFamily|ComponentsOfPartialPerm|ComponentsOfPartialPermSemigroup|ComponentsOfTransformation|ComponentsOfTransformationSemigroup|Compose|ComposeAddresses|ComposeElement|ComposeFunctors|ComposeHomFunction|ComposedDocument|ComposedXMLString|CompositeDerivation|CompositeSPP2|CompositeSection|CompositionMapping|CompositionMapping2|CompositionMapping2General|CompositionMaps|CompositionMorphism|CompositionOfFpGModuleHomomorphisms|CompositionOfSLDAndSLP|CompositionOfStraightLinePrograms|CompositionRingHomomorphism|CompositionSeries|CompositionSeriesAbelianMatGroup|CompositionSeriesElAbFactorUnderAction|CompositionSeriesOfFpGModule|CompositionSeriesThrough|CompositionSeriesTriangularizableMatGroup|CompositionSeriesUnderAction|CompresStrMat|CompressPeriodicList|CompressWhitespace|CompressedPeriodicList|ComputeAllowableInfo|ComputeCycleLength|ComputeIndependentGeneratorsOfAbelianPcpGroup|ComputeNextDimension|ComputePlaceTriples|ComputeRowSpaceAndTransformation|ComputeSocleDimensions|ComputeSuborbitsForStabilizerChain|ComputeTails|ComputeUsingMethod@RepnDecomp|ComputedAbelianExponentResiduals|ComputedAgemos|ComputedAscendingChains|ComputedAugmentationIdealPowerFactorGroups|ComputedBrauerTables|ComputedClassFusions|ComputedCoveringSubgroup1s|ComputedCoveringSubgroup2s|ComputedCoveringSubgroups|ComputedCyclicExtensionsTom|ComputedDiagonalPowers|ComputedFNormalizerWrtFormations|ComputedHallSubgroups|ComputedImprimitivitySystemss|ComputedIndicators|ComputedInducedPcgses|ComputedInjectors|ComputedIsAbCps|ComputedIsCps|ComputedIsIrreducibleMatrixGroups|ComputedIsMembers|ComputedIsPNilpotents|ComputedIsPSolubleCharacterTables|ComputedIsPSolvableCharacterTables|ComputedIsPSolvables|ComputedIsPSupersolvables|ComputedIsPrimitiveMatrixGroups|ComputedIsXps|ComputedIsYps|ComputedLowIndexNormalSubgroupss|ComputedLowIndexSubgroupClassess|ComputedMatrixCategoryObjects|ComputedMaximalSubgroupClassesByIndexs|ComputedMinimalBlockDimensionOfMatrixGroups|ComputedMinimalNormalPSubgroupss|ComputedMinimalRepresentationInfo|ComputedMonomialsWithGivenDegrees|ComputedMultAutomAlphabets|ComputedOmegas|ComputedPCentralSeriess|ComputedPCores|ComputedPResiduals|ComputedPRumps|ComputedPSocleComponentss|ComputedPSocleSeriess|ComputedPSocles|ComputedPermGroupOnLevels|ComputedPermOnLevels|ComputedPiResiduals|ComputedPowerMaps|ComputedPowerSubalgebras|ComputedPrimeBlockss|ComputedProjections|ComputedProjectors|ComputedRadicals|ComputedResidualWrtFormations|ComputedResiduals|ComputedSCBoundaryOperatorMatrixs|ComputedSCCoboundaryOperatorMatrixs|ComputedSCCohomologyBasisAsSimplicess|ComputedSCCohomologyBasiss|ComputedSCFpBettiNumberss|ComputedSCHomalgBoundaryMatricess|ComputedSCHomalgCoboundaryMatricess|ComputedSCHomalgCohomologyBasiss|ComputedSCHomalgCohomologys|ComputedSCHomalgHomologyBasiss|ComputedSCHomalgHomologys|ComputedSCHomologyBasisAsSimplicess|ComputedSCHomologyBasiss|ComputedSCIncidencesExs|ComputedSCIsInKds|ComputedSCIsKNeighborlys|ComputedSCIsKStackedSpheres|ComputedSCNumFacess|ComputedSCSkelExs|ComputedStabilizerOfLevels|ComputedSylowComplements|ComputedSylowSubgroups|ComputedTransformationOnLevels|ComputedTransformationSemigroupOnLevels|ComputedTransitionMaps|ComultiplicationMap|ConInGroup|ConStabilize|ConcatFSA|ConcatSubos|Concatenation|ConcatenationCode|ConcatenationIterators|ConcatenationOfIterators|ConcatenationOfVectors|ConcatenationProduct|ConcatenationProductOp|ConcentricFiltration|ConcentricallyFilteredPureCubicalComplex|ConcurrenceMatrix|Conductor|ConductorOfGoodIdeal|ConductorOfGoodSemigroup|ConductorOfIdealOfNumericalSemigroup|ConductorOfNumericalSemigroup|ConesOfFan|ConferenceCode|ConfinalityClass|ConfinalityClasses|ConfluentMonoidPresentationForGroup|ConfluentRws|CongruenceByIsomorphism|CongruenceByWangPair|CongruenceLessNC|CongruenceNoetherianQuotient|CongruenceNoetherianQuotientForInnerAutomorphismNearRings|CongruenceSubgroup|CongruenceSubgroupGamma0|CongruenceSubgroupGamma1|CongruenceSubgroupGammaMN|CongruenceSubgroupGammaUpper0|CongruenceSubgroupGammaUpper1|CongruenceTestMembershipNC|CongruenceWordToClassIndex|Congruences|CongruencesOfPoset|CongruencesOfSemigroup|ConicOnFivePoints|ConjugacyByCentralLayer|ConjugacyClass|ConjugacyClassInfo|ConjugacyClassRepsCompatibleGroupsWithProjection|ConjugacyClassRepsCompatibleSubgroups|ConjugacyClassSubgroups|ConjugacyClasses|ConjugacyClassesByHomomorphicImage|ConjugacyClassesByOrbits|ConjugacyClassesByRandomSearch|ConjugacyClassesFittingFreeGroup|ConjugacyClassesForSmallGroup|ConjugacyClassesForSolvableGroup|ConjugacyClassesMaximalSubgroups|ConjugacyClassesOfNaturalGroup|ConjugacyClassesPerfectSubgroups|ConjugacyClassesSubgroups|ConjugacyClassesSubwreath|ConjugacyClassesTry|ConjugacyClassesViaRadical|ConjugacyClosedLoop|ConjugacyComplements|ConjugacyCongruenceAction|ConjugacyElementsBySeries|ConjugacyHomogeneousAction|ConjugacyIntegralAction|ConjugacySubgroupsBySeries|ConjugateCompatible|ConjugateDominantWeight|ConjugateDominantWeightWithWord|ConjugateGroup|ConjugateGroupoid|ConjugatePartition|ConjugatePartitionOp|ConjugateSL2ZGroup|ConjugateStabChain|ConjugateSubgroup|ConjugateSubgroups|ConjugateTableau|ConjugateTranspose@RepnDecomp|ConjugatedModule|ConjugatedResolution|Conjugates|ConjugatingElement|ConjugatingFieldElement|ConjugatingMatImprimitiveOrFail|ConjugatingMatIrreducibleOrFail|ConjugatingMatIrreducibleRepOrFail|ConjugatingMatTraceField|ConjugatingTranslation|ConjugationActionForCrossedSquare|ConjugationQuandle|ConjugatorAutomorphism|ConjugatorAutomorphismNC|ConjugatorInnerAutomorphism|ConjugatorIsomorphism|ConjugatorOfConjugatorIsomorphism|ConjugatorPermGroup|ConjugatorQClass|ConjugatorSpaceGroups|ConjugatorSpaceGroupsStdSamePG|ConnectedComponent|ConnectedComponents|ConnectedComponentsOfQuiver|ConnectedComponentsQuandle|ConnectedQuandle|ConnectedQuandles|ConnectedSum|ConnectingCohomologyHomomorphism|ConnectingHomomorphism|ConnectingPath|ConnectingPathNC|ConnectingPathNC_LargeGroupRep|ConnectingPath_LargeGroupRep|ConormalProduct|ConsiderKernels|ConsiderSmallerPowerMaps|ConsiderStructureConstants|ConsiderTableAutomorphisms|ConsideredPrimes|ConsolidatedEdgePlaces|ConstGrpTfmOnRightCosetOfN|ConstantCycleSetCocycles|ConstantEndoMapping|ConstantInBaseRingPol|ConstantInfList|ConstantStrand|ConstantTermOfHilbertPolynomial|ConstantTimeAccessList|ConstantTransformation|ConstantWeightSubcode|ConstituentsCompositionMapping|ConstituentsOfCharacter|ConstituentsOfRepresentation|ConstituentsPolynomial|ConstrainedGraphToAut|ConstructAdjusted|ConstructAllCFFrattiniFreeGroups|ConstructAllCFGroups|ConstructAllCFNilpotentGroups|ConstructAllCFSimpleGroups|ConstructAllCFSolvableGroups|ConstructAllGroups|ConstructAllNilpotentGroups|ConstructAllNonSolvableGroups|ConstructAllSolvableNonNilpotentGroups|ConstructBoundedDescendants|ConstructBranch|ConstructCentralProduct|ConstructClifford|ConstructDirectProduct|ConstructFactor|ConstructFormPreservingGroup|ConstructGS3|ConstructGS3Info|ConstructIndexTwoSubdirectProduct|ConstructIndexTwoSubdirectProductInfo|ConstructIsoclinic|ConstructMGA|ConstructMGAInfo|ConstructMixed|ConstructMorphismFromLayers|ConstructPerm|ConstructPermuted|ConstructProj|ConstructProjInfo|ConstructSubdirect|ConstructV4G|ConstructV4GInfo|ConstructWreathSymmetric|ConstructedAsAnIdeal|ConstructedFromFpGroup|ConstructingFilter|ConstructionB2Code|ConstructionBCode|ConstructionInfoCharacterTable|ConstructionXCode|ConstructionXXCode|ConstructorForHomalgMatrices|ContainedCharacters|ContainedConjugates|ContainedDecomposables|ContainedMaps|ContainedPossibleCharacters|ContainedPossibleVirtualCharacters|ContainedSpecialVectors|ContainedTom|ContainerForPointers|ContainerForWeakPointers|ContainingCategory|ContainingConjugates|ContainingTom|Contains|ContainsAField|ContainsSphericallyTransitiveElement|ContainsTrivialGroup|Content|ContentBuildRecBibXMLEntry|ContentListFromSentinelToHead|ContentOfFreeBandElement|ContentOfFreeBandElementCollection|ContentsLVars|ContinuedFractionApproximationOfRoot|ContinuedFractionExpansionOfRoot|ContractArray|ContractCubicalComplex|ContractCubicalComplex_dim2|ContractCubicalComplex_dim3|ContractGraph|ContractMatrix|ContractPermArray|ContractPermMatrix|ContractPureComplex|ContractPureCubicalComplex|ContractSimplicialComplex|ContractedComplex|ContractedFilteredPureCubicalComplex|ContractedFilteredRegularCWComplex|ContractedRegularCWComplex|ContractibleGcomplex|ContractibleSL2ZComplex|ContractibleSL2ZComplex_alt|ContractibleSubArray|ContractibleSubMatrix|ContractibleSubcomplex|ContractibleSubcomplexOfPureCubicalComplex|ContractibleSubcomplexOfSimplicialComplex|ContractingLevel|ContractingTable|ConversionFieldCode|ConvertAutGroup|ConvertAuto|ConvertColumnToMatrix|ConvertColumnToTransposedMatrix|ConvertCyclicAlgToCyclicCyclotomicAlg|ConvertCyclicCyclotomicAlgToCyclicAlg|ConvertDataSeriesForTool|ConvertDotStringTexFile|ConvertElement|ConvertElementNC|ConvertGapObjToSingObj|ConvertGraphForTool|ConvertHomalgMatrix|ConvertHomalgMatrixViaFile|ConvertHomalgMatrixViaListListString|ConvertHomalgMatrixViaListString|ConvertHomalgMatrixViaSparseString|ConvertHybridAutGroup|ConvertLetterToStandardRep|ConvertLetterToStandardRepNC|ConvertMatrixToColumn|ConvertMatrixToPolymakeString|ConvertMatrixToRow|ConvertPackageFilesToUNIXLineBreaks|ConvertPolymakeBoolToGAP|ConvertPolymakeDescriptionToGAP|ConvertPolymakeFaceLatticeToGAP|ConvertPolymakeGraphToGAP|ConvertPolymakeIntVectorToGAPPlusOne|ConvertPolymakeListOfSetsToGAP|ConvertPolymakeListOfSetsToGAPPlusOne|ConvertPolymakeMatrixOrListOfSetsToGAP|ConvertPolymakeMatrixOrListOfSetsToGAPPlusOne|ConvertPolymakeMatrixToGAP|ConvertPolymakeMatrixToGAPKillOnes|ConvertPolymakeNumber|ConvertPolymakeOutputToGapNotation|ConvertPolymakeScalarToGAP|ConvertPolymakeSetOfSetsToGAP|ConvertPolymakeSetToGAP|ConvertPolymakeVectorToGAP|ConvertPolymakeVectorToGAPKillOne|ConvertQuadraticAlgToQuaternionAlg|ConvertQuaternionAlgToQuadraticAlg|ConvertRhoIfNeeded@RepnDecomp|ConvertRowToMatrix|ConvertRowToTransposedMatrix|ConvertSingObjToGapObj|ConvertSparseMatrixToMatrix|ConvertStandardLetter|ConvertStandardLetterNC|ConvertStandardWord|ConvertStandardWordNC|ConvertToAttribute|ConvertToBlistRep|ConvertToCharacterTable|ConvertToCharacterTableNC|ConvertToGF2MatrixRep|ConvertToGF2VectorRep|ConvertToGroupRelatorSequences|ConvertToImmutableDigraphNC|ConvertToLibTom|ConvertToLibraryCharacterTableNC|ConvertToMagmaInputString|ConvertToMatrixRep|ConvertToMatrixRepNC|ConvertToMutableDigraphNC|ConvertToNormalFormMonomialElement|ConvertToRangeRep|ConvertToStringRep|ConvertToTableOfMarks|ConvertToVectorRep|ConvertToVectorRepNC|ConvertToYSequences|ConvertTorsionComplexToGcomplex|ConvertTransposedMatrixToColumn|ConvertTransposedMatrixToRow|ConvertWordToStandardRep|ConvertWordToStandardRepNC|ConvertedObject|ConverterSyntaxError|ConwayCandidates|ConwayPol|ConwayPolynomial|CoordinateNorm|CoordinateRingOfGraph|CoordinateSubCode|Coordinates|CoordinatesOfHyperplane|CopiedAugmentedCosetTable|CoprimeResidual|Coproduct|Coproduct2dInfo|CoproductFunctor|CoproductFunctorial|CoproductFunctorialWithGivenCoproducts|CoproductInfo|CoproductMorphism|CoproductXMod|CopyAutomaton|CopyColumnToIdentityMatrix|CopyDecompositionMatrix|CopyFromRegion|CopyGraph|CopyHTMLStyleFiles|CopyListEntries|CopyMappingAttributes|CopyMat|CopyMatrixList|CopyMemory|CopyOptionsDefaults|CopyRatExp|CopyRegion|CopyRel|CopyRowToIdentityMatrix|CopyStabChain|CopySubMatrix|CopySubVector|CopyTemplate|CopyToRegion|CopyToStringRep|CopyToVectorRep|CopyToVectorRepNC|CorGroupIncidenceStructureWithNauty|CordaroWagnerCode|Core|CoreInParent|CoreOp|CoreducedChainComplex|CorestEval|CorrectConjugacyClass|CorrectDiffMachine|CorrectDiffMachineFromTriples|Correlation|CorrelationAction|CorrelationCollineationGroup|CorrelationOfProjectiveSpace|Correspondence|CorrespondenceGroupMonoid|CorrespondenceMSMonoid|CorrespondingGeneratorsByModuloPcgs|CorrespondingPermutations|Cos|CosetCode|CosetDecomposition|CosetGeometry|CosetLeadersInner|CosetLeadersMatFFE|CosetNumber|CosetRepAsWord|CosetReps|CosetSignatureOfSet|CosetSignatures|CosetTable|CosetTableBySubgroup|CosetTableDefaultLimit|CosetTableDefaultMaxLimit|CosetTableFpHom|CosetTableFromGensAndRels|CosetTableInWholeGroup|CosetTableNormalClosure|CosetTableNormalClosureInWholeGroup|CosetTableOfFpSemigroup|CosetTableStandard|CosetsQuandle|CosetsTable|CosetsToCosetsTable|Cosh|CosyzygyTruncation|Cot|Coth|CotiltingModule|CounitMap|CountAllCFGroupsUpTo|CountOrbitsGL|CountingBaryCentricSubdividedCells|CountingCellsOfACellComplex|CountingCellsOfBaryCentricSubdivision|CountingControlledSubdividedCells|CountingNumberOfCellsInBaryCentricSubdivision|CoverByFreeModule|CoverByResidueClasses|CoverCode|CoverHomomorphism|CoverInfo|CoverNucleus|CoverOf|CoverageLineByLine|CoveringEpi|CoveringGroup|CoveringGroups|CoveringObject|CoveringRadius|CoveringRadiusLowerBoundTable|CoveringSubgroup|CoveringSubgroup1|CoveringSubgroup1Op|CoveringSubgroup2|CoveringSubgroup2Op|CoveringSubgroupOp|CoveringSubgroupWrtFormation|CoveringTable|CoveringTriplesCharacters|CoversByResidueClasses|CoversOfAlternatingGroupsRepresentation|CoversOfO73Representation|CoversOfU43Representation|CoversOfU62Representation|CoxeterComplex|CoxeterComplex_alt|CoxeterDiagramComponents|CoxeterDiagramDegree|CoxeterDiagramDisplay|CoxeterDiagramFpArtinGroup|CoxeterDiagramFpCoxeterGroup|CoxeterDiagramIsSpherical|CoxeterDiagramMatCoxeterGroup|CoxeterDiagramMatrix|CoxeterDiagramVertices|CoxeterMatrix|CoxeterPolynomial|CoxeterSubDiagram|CoxeterWythoffComplex|CrcFile|CrcString|CrcText|CreateAllCycleStructures|CreateBoundaryMatrices|CreateBoundsTable|CreateCapCategory|CreateChernCharacter|CreateChernPolynomial|CreateCoboundaryMatrices|CreateConjunctionNode|CreateCoxeterMatrix|CreateCrispCachingObject|CreateDefaultChapterData|CreateDir|CreateDynamicTree|CreateElementOfGrothendieckGroupOfProjectiveSpace|CreateEmptyFile|CreateExternalSuffixTreeNode|CreateGitRepository|CreateHasseDiagram|CreateHomalgBlockDiagonalMatrixFromStringList|CreateHomalgExternalRing|CreateHomalgFunctor|CreateHomalgMatrixFromList|CreateHomalgMatrixFromSparseString|CreateHomalgMatrixFromString|CreateHomalgRing|CreateHomalgTable|CreateHomalgTableForGradedRings|CreateHomalgTableForLocalizedRings|CreateHomalgTableForLocalizedRingsAtPrimeIdeals|CreateHomalgTableForLocalizedRingsWithMora|CreateHomalgTableForResidueClassRings|CreateInternalSuffixTreeNode|CreateIsomorphicPcGroup|CreateKBMAGRewritingSystemOfFpGroup|CreateKBMAGRewritingSystemOfFpMonoid|CreateKBMAGRewritingSystemOfFpSemigroup|CreateKnuthBendixRewritingSystem|CreateLiePRing|CreateListWithFalses|CreateMainPage|CreateMakeTest|CreateModuleBasis|CreateNode|CreateOrderingByLtFunction|CreateOrderingByLteqFunction|CreatePolymakeObject|CreatePolymakeObjectFromFile|CreatePolynomialModuloSomePower|CreatePrintingGraph|CreateRandomExample|CreateRandomSeries|CreateRandomSeriesOverFreeGroup|CreateRandomSeriesOverSmallPregroups|CreateRandomSeriesOverTriangleGroup|CreateRandomSeriesOverTrianglePregroup|CreateRecordApp|CreateRecordAtribution|CreateRecordAttributePairs|CreateRecordBinding|CreateRecordBlist|CreateRecordError|CreateRecordFloat|CreateRecordForeign|CreateRecordInt|CreateRecordOMBVar|CreateRecordObject|CreateRecordReference|CreateRecordString|CreateRecordSym|CreateRecordVar|CreateSetOfDegreesOfGenerators|CreateSetsOfGeneratorsForLeftModule|CreateSetsOfGeneratorsForRightModule|CreateSetsOfRelationsForLeftModule|CreateSetsOfRelationsForRightModule|CreateSuffixTree|CreateSuffixTreeEdge|CreateTitlePage|CreateUnits|CreateVisualization|CreateWeakCachingObject|CreateZeros|CriticalBoundaryCells|CriticalCells|CriticalCellsOfRegularCWComplex|CropPureComplex|CropPureCubicalComplex|CrossActionSubgroup|CrossDiagonalActions|CrossedApsisMonoid|CrossedElmDivRingElm|CrossedElmTimesRingElm|CrossedInvariant|CrossedModuleByAutomorphismGroup|CrossedModuleByCatOneGroup|CrossedModuleByNormalSubgroup|CrossedPairing|CrossedPairingByCommutators|CrossedPairingByConjugators|CrossedPairingByDerivations|CrossedPairingByPreImages|CrossedPairingBySingleXModAction|CrossedPairingFamily|CrossedPairingMap|CrossedPairingObj|CrossedPairingType|CrossedProduct|CrossedSquare|CrossedSquareByAutomorphismGroup|CrossedSquareByNormalSubXMod|CrossedSquareByNormalSubgroups|CrossedSquareByPullback|CrossedSquareByXModSplitting|CrossedSquareByXMods|CrossedSquareMorphism|CrossedSquareMorphismByGroupHomomorphisms|CrossedSquareMorphismByXModMorphisms|CrossedSquareMorphismOfCat2GroupMorphism|CrossedSquareOfCat2Group|CrystCatRecord|CrystCubicalTiling|CrystFinitePartOfMatrix|CrystGFullBasis|CrystGcomplex|CrystGroupDefaultAction|CrystGroupsCatalogue|CrystMatrix|CrystTranslationMatrixToVector|CrystalBasis|CrystalDecompositionMatrix|CrystalDecompositionMatrixType|CrystalGraph|CrystalVectors|Csc|Csch|CubeRoot|CubefreeOrderInfo|CubefreePkgName|CubefreeTestOrder|CubicalComplex|CubicalComplexToRegularCWComplex|CubicalToPermutahedralArray|Cup0@SptSet|Cup1@SptSet|CupProduct|CupProductOfRegularCWComplex|CurlRequest|CurrentAssertionLevel|CurrentDateTimeString|CurrentOperationWeight|CurrentResolution|CurrentThread|CurrentTimestamp|CurveAssociatedToDeltaSequence|CuspidalCohomologyHomomorphism|Cut|CutComplexAbove|CutComplexBelow|CutDynamicTree|CutOutNonOnes|CutVector|CutVertices|Cyc|CycList|Cycle|CycleByPosOp|CycleDigraph|CycleDigraphCons|CycleFromList|CycleGraph|CycleGraphCons|CycleIndex|CycleIndexOp|CycleLength|CycleLengthOp|CycleLengths|CycleLengthsOp|CycleOp|CycleRepresentativesAndLengths|CycleSet|CycleSet2YB|CycleSetCocycles|CycleSetCycle|CycleSetElmConstructor|CycleSetElmFamily|CycleSetElmType|CycleSetFamily|CycleSetSquareFreeCocycles|CycleSetType|CycleStructureClass|CycleStructurePerm|CycleStructuresGroup|CycleTransformationInt|Cycles|CyclesOfComplex|CyclesOfFilteredChainComplex|CyclesOfPartialPerm|CyclesOfPartialPermSemigroup|CyclesOfTransformation|CyclesOfTransformationSemigroup|CyclesOnFiniteOrbit|CyclesOp|CyclicCodeByGenerator|CyclicCodes|CyclicDecoder|CyclicDecomposition|CyclicExtensionByTuple|CyclicExtensions|CyclicExtensionsTom|CyclicExtensionsTomOp|CyclicGenerator|CyclicGroup|CyclicGroupCons|CyclicMDSCode|CyclicPermutationOfABand|CyclicSplitExtensionMethod|CyclicSplitExtensions|CyclicSplitExtensionsDown|CyclicSplitExtensionsUp|CyclicSubList|CyclicSylow|CyclicallyReducedWord|Cyclotomic|CyclotomicAlgebraAsSCAlgebra|CyclotomicAlgebraWithDivAlgPart|CyclotomicByArgument|CyclotomicClasses|CyclotomicCosets|CyclotomicExponentSequence|CyclotomicExtensionGenerator|CyclotomicField|CyclotomicPol|CyclotomicPolynomial|Cyclotomics|CyclotomicsFamily|CycsGivenCoeffSum|DATA2TO7|DATA8|DATAREC_VALUE_ACE_OPTION|DATA_HASH_FUNC_FOR_INT|DATA_HASH_FUNC_FOR_PERM|DATA_HASH_FUNC_FOR_PPERM|DATA_HASH_FUNC_FOR_STRING|DATA_HASH_FUNC_FOR_TRANS|DATA_HASH_FUNC_RECURSIVE|DCFuseSubgroupOrbits|DClass|DClassNC|DClassOfHClass|DClassOfLClass|DClassOfRClass|DClassReps|DClassType|DClasses|DCrules|DEACTIVATE_PROFILING|DEBUG_COMBINATORIAL_COLLECTOR|DEBUG_TNUM_NAMES|DECIDE_TYPE_OF_PRINTING|DECLAE_IRREDSOL_OBSOLETE|DECLAREFLOATCREATOR|DECLARE_IRREDSOL_FUNCTION|DECLARE_IRREDSOL_SYNONYMS|DECLARE_IRREDSOL_SYNONYMS_ATTR|DECLARE_PROJECTIVE_GROUPS_OPERATION|DECLARE_PROJECTIVE_ORTHOGONAL_GROUPS_OPERATION|DECLARE_PROJECTIVE_SEMILINEAR_GROUPS_OPERATION|DECODE_BITS_TO_HEX|DECOMPMATRIX@FR|DECOMPPERM@FR|DEEP_COPY_OBJ|DEFAULTDISPLAYSTRING|DEFAULTVIEWSTRING|DEFAULT_CLASS_ORBIT_LIMIT|DEFAULT_INPUT_STREAM|DEFAULT_ISO_FUNC|DEFAULT_OUTPUT_STREAM|DEGREE_FFE_DEFAULT|DEGREE_INDET_EXTREP_POL|DEGREE_MEALYME@FR|DEGREE_ZERO_LAURPOL|DELTA@FR|DENOMINATOR_RAT|DEPTH_MEALYME@FR|DEP_CARTESIAN@FR|DESIGN_DTRS_PROTOCOL|DESIGN_FAMILIES|DESIGN_INDETERMINATE_RATIONALS_1|DESIGN_IntervalForLeastRealZero|DESIGN_VERSION|DETERMINANT_LIST_GF2VECS|DETERMINANT_LIST_VEC8BITS|DError|DFUNC_FROM_CHARACTERISTIC|DFUNC_FROM_MEMBER_FUNCTION|DIFF|DIFFERENCE_OF_RESIDUE_CLASSES|DIFF_DEFAULT|DIFF_FFE_LARGE|DIFF_LAURPOLS|DIFF_LIST_LIST_DEFAULT|DIFF_LIST_SCL_DEFAULT|DIFF_MAT8BIT_MAT8BIT|DIFF_MPFR|DIFF_SCL_LIST_DEFAULT|DIFF_UNIVFUNCS|DIFF_VEC8BIT_VEC8BIT|DIGITS|DIGRAPHS_AdjacencyMatUpperTriLineDecoder|DIGRAPHS_ArticulationPointsBridgesStrongOrientation|DIGRAPHS_Bipartite|DIGRAPHS_BipartiteMatching|DIGRAPHS_BlistNumber|DIGRAPHS_BronKerbosch|DIGRAPHS_CheckDocCoverage|DIGRAPHS_CheckManSectionTypes|DIGRAPHS_CheckManualConsistency|DIGRAPHS_ChooseFileDecoder|DIGRAPHS_ChooseFileEncoder|DIGRAPHS_ChromaticNumberByskov|DIGRAPHS_ChromaticNumberLawler|DIGRAPHS_Clique|DIGRAPHS_CollapseMultiColouredEdges|DIGRAPHS_CollapseMultipleEdges|DIGRAPHS_CombinationOperProcessArgs|DIGRAPHS_ConnectivityData|DIGRAPHS_DecoderWrapper|DIGRAPHS_Degeneracy|DIGRAPHS_DiameterAndUndirectedGirth|DIGRAPHS_DijkstraST|DIGRAPHS_Dir|DIGRAPHS_DocXMLFiles|DIGRAPHS_DotDigraph|DIGRAPHS_DotSymmetricDigraph|DIGRAPHS_EncoderWrapper|DIGRAPHS_EvaluateWord|DIGRAPHS_GeneralMatching|DIGRAPHS_Graph6Length|DIGRAPHS_GraphProduct|DIGRAPHS_GraphvizColors|DIGRAPHS_GraphvizColorsList|DIGRAPHS_InitEdgeLabels|DIGRAPHS_InitVertexLabels|DIGRAPHS_IsGrapeLoaded|DIGRAPHS_IsMeetJoinSemilatticeDigraph|DIGRAPHS_Layers|DIGRAPHS_LoadNamedDigraphs|DIGRAPHS_LoadNamedDigraphsTests|DIGRAPHS_MakeDoc|DIGRAPHS_ManSectionType|DIGRAPHS_ManualExamples|DIGRAPHS_Matching|DIGRAPHS_MateToMatching|DIGRAPHS_MaximalIndependentSetsSubtractedSet|DIGRAPHS_MaximalMatching|DIGRAPHS_NamedDigraphs|DIGRAPHS_NamedDigraphsTests|DIGRAPHS_NautyAvailable|DIGRAPHS_NumberBlist|DIGRAPHS_OmitFromTests|DIGRAPHS_Orbits|DIGRAPHS_PlainTextLineDecoder|DIGRAPHS_ReadDIMACSDigraph|DIGRAPHS_ReadPlainTextDigraph|DIGRAPHS_RunTest|DIGRAPHS_SplitStringBySubstring|DIGRAPHS_Stabilizers|DIGRAPHS_StartTest|DIGRAPHS_StopTest|DIGRAPHS_TCodeDecoder|DIGRAPHS_Test|DIGRAPHS_TestRec|DIGRAPHS_TournamentLineDecoder|DIGRAPHS_TraceSchreierVector|DIGRAPHS_UnderThreeColourable|DIGRAPHS_UsingBliss|DIGRAPHS_ValidEdgeColors|DIGRAPHS_ValidRGBValue|DIGRAPHS_ValidVertColors|DIGRAPHS_ValidateEdgeColouring|DIGRAPHS_ValidateVertexColouring|DIGRAPH_AUTOMORPHISMS|DIGRAPH_CANONICAL_LABELLING|DIGRAPH_CONNECTED_COMPONENTS|DIGRAPH_ConnectivityDataForVertex|DIGRAPH_DIAMETER|DIGRAPH_EQUALS|DIGRAPH_IN_OUT_NBS|DIGRAPH_LONGEST_DIST_VERTEX|DIGRAPH_LT|DIGRAPH_NREDGES|DIGRAPH_NR_VERTICES|DIGRAPH_OUT_NBS|DIGRAPH_OUT_NEIGHBOURS_FROM_SOURCE_RANGE|DIGRAPH_PATH|DIGRAPH_REFLEX_TRANS_CLOSURE|DIGRAPH_SHORTEST_DIST|DIGRAPH_SOURCE_RANGE|DIGRAPH_SYMMETRIC_SPANNING_FOREST|DIGRAPH_TOPO_SORT|DIGRAPH_TRANS_CLOSURE|DIGRAPH_TRANS_REDUCTION|DIMENSIONSERIES@FR|DIRECTORY_TEMPORART_LIMIT|DIRECTORY_TEMPORARY_COUNT|DIRECTPRODUCT@FR|DIRECT_PRODUCT_ELEMENT_FAMILIES|DISABLED_ENTRY|DISPLAYFRMACHINE@FR|DISPLAY_ACE_REC_FIELD|DISPLAY_PATH|DISTANCE_DISTRIB_VEC8BITS|DISTANCE_PERMS|DISTANCE_VEC8BIT_VEC8BIT|DISTRIBUTIVE_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|DIST_GF2VEC_GF2VEC|DIST_VEC_CLOS_VEC|DIYModule|DMYDay|DMYhmsSeconds|DOCCOMPOSEERROR|DOMAINTOPERMTRANS@FR|DOMAIN_PPERM|DOMALPHABET@FR|DOT2DISPLAY@FR|DOT_PATH|DOUBLE_OBJLEN|DO_NOTHING_SETTER|DRAWMEALY@FR|DRAW_GRAPH@FR|DSRf|DSWf|DS_AVL_ADDSET_INNER|DS_AVL_FIND|DS_AVL_REMSET_INNER|DS_BinaryHeap_Insert|DS_BinaryHeap_ReplaceMax|DS_FAMILY|DS_Hash_AccumulateValue|DS_Hash_AddSet|DS_Hash_Capacity|DS_Hash_Contains|DS_Hash_Create|DS_Hash_Delete|DS_Hash_Reserve|DS_Hash_SetValue|DS_Hash_Used|DS_Hash_Value|DS_Skiplist_RemoveNode|DS_Skiplist_Scan|DS_UF_FIND|DS_UF_UNITE|DS_merge_pairs|DStarClass|DStarClasses|DStarRelation|DTCommutator|DTCompress|DTConjugate|DTMultiply|DTObjFamily|DTObjType|DTP_AreAlmostEqual|DTP_Binomial|DTP_BinomialPol|DTP_CheckCnjRels|DTP_CheckPwrRels|DTP_ComputeSetReps|DTP_CreateSimLetter|DTP_DTObjFromCollector|DTP_DTapplicability|DTP_DTpols_r|DTP_DTpols_r_S|DTP_DTpols_rs|DTP_DecisionCriterion|DTP_DetermineMultiplicationFunction|DTP_Display_DTObj|DTP_Display_Variable|DTP_Display_f_r|DTP_Display_f_r_S|DTP_Display_f_rs|DTP_Display_summand|DTP_EvalPol_r|DTP_EvalPol_rs|DTP_Exp|DTP_FinalizeDTObj|DTP_FindCoefficient|DTP_HaveSameStructure|DTP_Inverse|DTP_IsInNormalForm|DTP_IsLeastLetter|DTP_Least|DTP_LeftOf|DTP_Multiply|DTP_Multiply_r|DTP_Multiply_rs|DTP_Multiply_s|DTP_NormalForm|DTP_NumberHSS|DTP_Order|DTP_OrdersGenerators|DTP_PCP_Exp|DTP_PCP_Inverse|DTP_PCP_NormalForm|DTP_PCP_Order|DTP_PCP_SolveEquation|DTP_Polynomial_g_alpha|DTP_ReducePolynomialsModOrder|DTP_Seq_i|DTP_SequenceLetter|DTP_SimilarLetters|DTP_SolveEquation|DTP_StructureLetter|DTP_StructureLetterFromExisting|DTP_g_alphaGAP|DTP_pols2GAPpols|DTPower|DTQuotient|DTSolution|DT_evaluation|DT_left|DT_right|DTr|DUMMYTBPTYPE|DVFReducedCubicalComplex|DXLARGEGROUPORDER|DadeGroup|DadeGroupNumbersZClass|DahmaniGroup|DataAboutSimpleGroup|DataForQuotientImage|DataObj|DataOfCoordinateRingOfGraph|DataOfHilbertFunction|DataOfUserPreference|DataType|DatabaseAttributeAdd|DatabaseAttributeCompute|DatabaseAttributeLoadData|DatabaseAttributeSetData|DatabaseAttributeString|DatabaseAttributeValueDefault|DatabaseIdEnumerator|DatabaseIdEnumeratorUpdate|DateISO8601|DavisComplex|DavydovCode|DayDMY|DaysInMonth|DaysInYear|DeactivateCaching|DeactivateCachingObject|DeactivateCachingOfCategory|DeactivateDefaultCaching|DeactivateDerivationInfo|DeactivateToDoList|DeactivateWhereInfosInEntries|DebugRDS|DecMatBrauerTree|DecideZero|DecideZeroColumns|DecideZeroColumnsEffectively|DecideZeroRows|DecideZeroRowsEffectively|DeclareAttribute|DeclareAttributeKernel|DeclareAttributeSuppCT|DeclareAttributeThatReturnsDigraph|DeclareAttributeWithCustomGetter|DeclareAttributeWithToDoForIsWellDefined|DeclareAutoreadableVariables|DeclareCategory|DeclareCategoryCollections|DeclareCategoryFamily|DeclareCategoryKernel|DeclareConstructor|DeclareConstructorKernel|DeclareFamilyProperty|DeclareFilter|DeclareGlobalFunction|DeclareGlobalName|DeclareGlobalVariable|DeclareHandlingByNiceBasis|DeclareHasAndSet|DeclareInfoClass|DeclareObsoleteSynonym|DeclareObsoleteSynonymAttr|DeclareOperation|DeclareOperationKernel|DeclareOperationWithCache|DeclareProperty|DeclarePropertyKernel|DeclarePropertySuppCT|DeclareRepresentation|DeclareRepresentationKernel|DeclareSynonym|DeclareSynonymAttr|DeclareUserPreference|Decode|DecodeList|DecodeTree|DecodedTreeEntry|Decodeword|DecomPoly|DecompElmHomChiefSer|Decompose|DecomposeCanonicalSummand@RepnDecomp|DecomposeCanonicalSummandAlternate@RepnDecomp|DecomposeCyclotomicAlgebra|DecomposeInMonomials|DecomposeIntegralIdealIntoIrreducibles|DecomposeIntoIrreducibles|DecomposeModule|DecomposeModuleProbabilistic|DecomposeModuleViaCharPoly|DecomposeModuleViaTop|DecomposeModuleWithInclusions|DecomposeModuleWithMultiplicities|DecomposeTensorProduct|DecomposeUpperUnitriMat|DecomposedFixedPointVector|DecomposedRationalClass|Decomposition|DecompositionInt|DecompositionIntoPermutationalAndOrderPreservingElement|DecompositionMatrix|DecompositionMatrixMatrix|DecompositionMatrixString|DecompositionMatrixType|DecompositionNumber|DecompositionOfClosedSet|DecompositionOfFRElement|DecompositionTypes|DecompositionTypesOfGroup|DecreaseKey|DecreaseMinimumDistanceUpperBound|DecreaseRingStatistics|Decreased|DecreasingOn|DeepThoughtCollector|DeepThoughtCollectorByGenerators|DeepThoughtCollector_SetConjugateNC|DefaultField|DefaultFieldByGenerators|DefaultFieldOfMatrix|DefaultFieldOfMatrixGroup|DefaultHashLength|DefaultInfoHandler|DefaultInfoOutput|DefaultMatrixRepForBaseDomain|DefaultPackageBannerString|DefaultReportDiff|DefaultReportDiffColors|DefaultRing|DefaultRingByGenerators|DefaultScalarDomainOfMatrixList|DefaultSparseHashRepType|DefaultSparseHashWithIKRepType|DefaultStabChainOptions|DefaultVectorRepForBaseDomain|DefectEmbedding|DefectGroupOfConjugacyClassAtP|DefectGroupsOfPBlock|DefectOfCharacterAtP|DefectOfExactness|DefectOfExactnessCosequence|DefectOfExactnessSequence|DefectOfHoms|DefineNewGenerators|DefinedByAmalgamation|DefinedByCartesianProduct|DefinedByDuplication|DefiningCharacterOfCyclotomicAlgebra|DefiningCongruenceSubgroups|DefiningGroupAndCharacterOfCyclotAlg|DefiningGroupOfCyclotomicAlgebra|DefiningIdeal|DefiningIdealFromNameOfResidueClassRing|DefiningListOfPolynomials|DefiningPcgs|DefiningPlanesOfEGQByBLTSet|DefiningPolynomial|DefiningQuotientHomomorphism|DefinitionSet|DefinitionsBasePcgs|DeformationRetract|DegOrderDirectPredecessors|DegOrderDirectSuccessors|DegOrderLEQ|DegOrderLEQNC|DegOrderPredecessors|DegOrderPredecessorsWithDirect|DegOrderSuccessors|DegOrderSuccessorsWithDirect|Degree|DegreeAction|DegreeFFE|DegreeGroup|DegreeIndeterminate|DegreeMatrix|DegreeMultivariatePolynomial|DegreeNaturalHomomorphismsPool|DegreeOfBinaryRelation|DegreeOfBipartition|DegreeOfBipartitionCollection|DegreeOfBipartitionSemigroup|DegreeOfBlocks|DegreeOfCharacter|DegreeOfChernPolynomial|DegreeOfDirichletSeries|DegreeOfElementOfGrothendieckGroupOfProjectiveSpace|DegreeOfFRElement|DegreeOfFRMachine|DegreeOfFRSemigroup|DegreeOfHomogeneousElement|DegreeOfIrredFpfRep2|DegreeOfIrredFpfRep3|DegreeOfIrredFpfRep4|DegreeOfIrredFpfRepCyclic|DegreeOfIrredFpfRepMetacyclic|DegreeOfLaurentPolynomial|DegreeOfLevel|DegreeOfMatrixGroup|DegreeOfMorphism|DegreeOfPBR|DegreeOfPBRCollection|DegreeOfPBRSemigroup|DegreeOfPartialPerm|DegreeOfPartialPermCollection|DegreeOfPartialPermSemigroup|DegreeOfPoly|DegreeOfProjectiveRepresentation|DegreeOfRepresentation|DegreeOfRepresentative|DegreeOfRingElement|DegreeOfRingElementFunction|DegreeOfTorsionFreeness|DegreeOfTransformation|DegreeOfTransformationCollection|DegreeOfTransformationSemigroup|DegreeOfTree|DegreeOfUnivariateLaurentPolynomial|DegreeOperation|DegreeOverPrimeField|DegreePorcPoly|DegreeZeroSubcomplex|DegreesMonomialTerm|DegreesMultivariatePolynomial|DegreesOfChainMorphism|DegreesOfEntries|DegreesOfEntriesFunction|DegreesOfEqualPrimitiveElementsOfNumericalSemigroup|DegreesOfFiltration|DegreesOfGenerators|DegreesOfMonotonePrimitiveElementsOfNumericalSemigroup|DegreesOfPrimitiveElementsOfAffineSemigroup|DegreesOfPrimitiveElementsOfNumericalSemigroup|DehornoyClass|DehornoyRepresentationOfStructureGroup|DeleteEdgeFSA|DeleteFromDynamicForest|DeleteIDFromBarWord@SptSet|DeleteLetterFSA|DeleteListFSA|DeletePatternFromSuffixTree|DeleteRuleKBDAG|DeleteStateFSA|DeleteURL|DeletedBlocksBlockDesign|DeletedPointsBlockDesign|DeletionTransducer|DeligneLusztigName|DeligneLusztigNames|Delta|DeltaOminus|DeltaOplus|DeltaSequencesWithFrobeniusNumber|DeltaSet|DeltaSetListUpToElementWRTNumericalSemigroup|DeltaSetOfAffineSemigroup|DeltaSetOfFactorizationsElementWRTNumericalSemigroup|DeltaSetOfNumericalSemigroup|DeltaSetOfSetOfIntegers|DeltaSetPeriodicityBoundForNumericalSemigroup|DeltaSetPeriodicityStartForNumericalSemigroup|DeltaSetUnionUpToElementWRTNumericalSemigroup|Deltas|DeltigLibGetRecord|DeltigLibUnipotentCharacters|Dendrogram|DendrogramMat|DendrogramToPersistenceMat|Denominator|DenominatorCyc|DenominatorOfGFSElement|DenominatorOfModuloPcgs|DenominatorOfPcp|DenominatorOfRationalFunction|DenominatorRat|DenseDTableFSA|DenseDTableToBackTableFSA|DenseDTableToSparseTableFSA|DenseHashTable|DenseIntKey|DensePartialPermNC|Density|DensityLPR|DensityMat|DensityOfSetOfFixedPoints|DensityOfSupport|DenumerantFunction|DenumerantOfElementInNumericalSemigroup|Depth|DepthAndLeadingExponentOfPcElement|DepthOfExpTree|DepthOfFRElement|DepthOfFRMachine|DepthOfFRSemigroup|DepthOfPcElement|DepthOfSchreierTree|DepthOfUpperTriangularMatrix|DepthSchreierTrees|DepthVector|Dequeue|Derangements|DerangementsK|DerivationByImages|DerivationByImagesNC|DerivationBySection|DerivationClass|DerivationFunctionsWithExtraFilters|DerivationGraph|DerivationImage|DerivationImages|DerivationInfo|DerivationName|DerivationOfOperation|DerivationRelations|DerivationResultWeight|DerivationRing|DerivationWeight|Derivations|DerivationsOfMethodByCategory|DerivationsOfOperation|DerivationsUsingOperation|Derivative|DerivedBlockDesign|DerivedGroupOfQuandle|DerivedLeftRack|DerivedLength|DerivedRack|DerivedRightRack|DerivedSeries|DerivedSeriesByTable|DerivedSeriesOfGroup|DerivedSubSkewbrace|DerivedSubXMod|DerivedSubgroup|DerivedSubgroupTom|DerivedSubgroupsTom|DerivedSubgroupsTomPossible|DerivedSubgroupsTomUnique|DerivedSubloop|DescSubgroupIterator|Descendants|DescendantsOfStep1OfAbelianLieAlgebra|DescendingListWithElementRemoved|DescribesInvariantBilinearForm|DescribesInvariantHermitianForm|DescribesInvariantQuadraticForm|DescriptionOfCategory|DescriptionOfFiniteInjComplex|DescriptionOfFiniteProjComplex|DescriptionOfFiniteProjOrInjComplex|DescriptionOfImplication|DescriptionOfInjComplexInDegree|DescriptionOfNormalizedUEAElement|DescriptionOfProjComplexInDegree|DescriptionOfProjOrInjComplexInDegree|DescriptionOfProjectiveModule|DescriptionOfRootOfUnity|Deserts|DesertsOfNumericalSemigroup|DesignFamily|DesignFromFerreroPair|DesignFromFerreroPairBlank|DesignFromFerreroPairStar|DesignFromIncidenceMat|DesignFromPair|DesignFromPlanarNearRing|DesignFromPlanarNearRingBlank|DesignFromPlanarNearRingStar|DesignFromPointsAndBlocks|DesignFromWdNearRing|DesignParameter|DesignedDistance|DesuspensionFpGModule|DesuspensionMtxModule|Determinant|DeterminantIntMat|DeterminantMat|DeterminantMatDestructive|DeterminantMatDivFree|DeterminantMatrix|DeterminantMatrixDestructive|DeterminantMatrixDivFree|DeterminantOfCharacter|DetermineAdmissiblePrime|DetermineGrowthObs|DetermineGrowthQA|DetermineRemainingCat1Groups|DetermineRemainingCat2Groups|DeterminizeFSA|DevelopmentOfRDS|DiGraphToRelation|DiSparse6String|DiagMat|Diagonal2DimensionalGroup|DiagonalApproximation|DiagonalBlockMatrix|DiagonalCat1Group|DiagonalElement|DiagonalEntries|DiagonalFormIntMat|DiagonalMat|DiagonalMorphism|DiagonalMorphismOp|DiagonalOfMat|DiagonalOfMatrix|DiagonalOfMultiplicationTable|DiagonalPower|DiagonalPowerOp|DiagonalSocleAction|DiagonalizeIntMat|DiagonalizeMat|DiagramAutomorphism|DiagramFamily|DiagramOfGeometry|Diameter|DicksonNearFields|DictionariesFamily|DictionaryByList|DictionaryByPosition|DictionaryBySort|DicyclicGroup|DicyclicGroupCons|Diff|DiffCoc|DiffCocList|DiffInverseList|DiffReducedWord|Difference|DifferenceBlist|DifferenceLists|DifferenceOfIdealsOfNumericalSemigroup|DifferenceOfNumericalSemigroups|DifferenceOfPcElement|DifferenceSets|DifferenceSetsOfSizeK|DifferenceSize|DifferenceSumPreImagesOptions|DifferenceSumPreImagesPermutations|DifferenceSumPreImagesPermutationsForced|DifferenceSumPreImagesTranslate|DifferenceSums|DifferenceSumsOfSizeK|DifferenceTable|DifferenceTimes|DifferenceVector|DifferenceWords|DifferencesList|DifferentialOfComplex|DifferentialsOfComplex|DigitsNumber|Digraph|Digraph6String|DigraphAddAllLoops|DigraphAddAllLoopsAttr|DigraphAddEdge|DigraphAddEdgeOrbit|DigraphAddEdges|DigraphAddVertex|DigraphAddVertices|DigraphAdjacencyFunction|DigraphAllSimpleCircuits|DigraphBicomponents|DigraphByAdjacencyMatrix|DigraphByAdjacencyMatrixCons|DigraphByAdjacencyMatrixConsNC|DigraphByEdges|DigraphByEdgesCons|DigraphByInNeighbors|DigraphByInNeighbours|DigraphByInNeighboursCons|DigraphByInNeighboursConsNC|DigraphByOutNeighboursType|DigraphCartesianProduct|DigraphCartesianProductProjections|DigraphClique|DigraphCliques|DigraphCliquesReps|DigraphClosure|DigraphColouring|DigraphConnectedComponent|DigraphConnectedComponents|DigraphConormalProduct|DigraphCons|DigraphConsNC|DigraphCopy|DigraphCopySameMutability|DigraphCore|DigraphCycle|DigraphDegeneracy|DigraphDegeneracyOrdering|DigraphDiameter|DigraphDijkstra|DigraphDijkstraS|DigraphDijkstraST|DigraphDirectProduct|DigraphDirectProductProjections|DigraphDisjointUnion|DigraphDistanceSet|DigraphDual|DigraphDualAttr|DigraphEdgeLabel|DigraphEdgeLabels|DigraphEdgeLabelsNC|DigraphEdgeUnion|DigraphEdges|DigraphEmbedding|DigraphEpimorphism|DigraphFamily|DigraphFile|DigraphFloydWarshall|DigraphFromDiSparse6String|DigraphFromDiSparse6StringCons|DigraphFromDigraph6String|DigraphFromDigraph6StringCons|DigraphFromGraph6String|DigraphFromGraph6StringCons|DigraphFromPlainTextString|DigraphFromPlainTextStringCons|DigraphFromSparse6String|DigraphFromSparse6StringCons|DigraphGirth|DigraphGreedyColouring|DigraphGreedyColouringNC|DigraphGroup|DigraphHasLoops|DigraphHomomorphicProduct|DigraphHomomorphism|DigraphImmutableCopy|DigraphImmutableCopyIfImmutable|DigraphImmutableCopyIfMutable|DigraphInEdges|DigraphIndependentSet|DigraphIndependentSets|DigraphIndependentSetsReps|DigraphJoin|DigraphLayers|DigraphLexicographicProduct|DigraphLongestDistanceFromVertex|DigraphLongestSimpleCircuit|DigraphLoops|DigraphMaximalClique|DigraphMaximalCliques|DigraphMaximalCliquesAttr|DigraphMaximalCliquesReps|DigraphMaximalCliquesRepsAttr|DigraphMaximalIndependentSet|DigraphMaximalIndependentSets|DigraphMaximalIndependentSetsAttr|DigraphMaximalIndependentSetsReps|DigraphMaximalIndependentSetsRepsAttr|DigraphMaximalMatching|DigraphMaximumMatching|DigraphModularProduct|DigraphMonomorphism|DigraphMutabilityFilter|DigraphMutableCopy|DigraphMutableCopyIfImmutable|DigraphMutableCopyIfMutable|DigraphMycielskian|DigraphMycielskianAttr|DigraphNC|DigraphNrConnectedComponents|DigraphNrEdges|DigraphNrLoops|DigraphNrStronglyConnectedComponents|DigraphNrVertices|DigraphOddGirth|DigraphOfAction|DigraphOfActionOnPoints|DigraphOfGraphOfGroupoids|DigraphOfGraphOfGroups|DigraphOrbitReps|DigraphOrbits|DigraphOutEdges|DigraphPath|DigraphPeriod|DigraphPlainTextLineDecoder|DigraphPlainTextLineEncoder|DigraphRange|DigraphReflexiveTransitiveClosure|DigraphReflexiveTransitiveClosureAttr|DigraphReflexiveTransitiveReduction|DigraphReflexiveTransitiveReductionAttr|DigraphRemoveAllMultipleEdges|DigraphRemoveAllMultipleEdgesAttr|DigraphRemoveEdge|DigraphRemoveEdgeOrbit|DigraphRemoveEdges|DigraphRemoveLoops|DigraphRemoveLoopsAttr|DigraphRemoveVertex|DigraphRemoveVertices|DigraphRemoveVerticesNC|DigraphReverse|DigraphReverseAttr|DigraphReverseEdge|DigraphReverseEdges|DigraphSchreierVector|DigraphShortestDistance|DigraphShortestDistances|DigraphShortestPath|DigraphShortestPathSpanningTree|DigraphSinks|DigraphSmallestLastOrder|DigraphSource|DigraphSources|DigraphStabilizer|DigraphStrongProduct|DigraphStronglyConnectedComponent|DigraphStronglyConnectedComponents|DigraphSymmetricClosure|DigraphSymmetricClosureAttr|DigraphTopologicalSort|DigraphTransitiveClosure|DigraphTransitiveClosureAttr|DigraphTransitiveReduction|DigraphTransitiveReductionAttr|DigraphUndirectedGirth|DigraphVertexLabel|DigraphVertexLabels|DigraphVertices|DigraphWelshPowellOrder|DigraphsCliquesFinder|DigraphsMakeDoc|DigraphsRespectsColouring|DigraphsTestAll|DigraphsTestExtreme|DigraphsTestInstall|DigraphsTestManualExamples|DigraphsTestStandard|DigraphsUseBliss|DigraphsUseNauty|DihedralDepth|DihedralGenerators|DihedralGroup|DihedralGroupCons|DihedralPcpGroup|DijkgraafWittenInvariant|DilatationOfNumericalSemigroup|DimEnd|DimHom|DimQA|DimQM|Dimension|DimensionBasis|DimensionOfAffineSemigroup|DimensionOfHighestWeightModule|DimensionOfHilbertPoincareSeries|DimensionOfLiePRing|DimensionOfMatrixGroup|DimensionOfMatrixNearRing|DimensionOfMatrixOverSemiring|DimensionOfMatrixOverSemiringCollection|DimensionOfNullspace|DimensionOfVectors|DimensionSeries|DimensionSquareMat|DimensionVector|DimensionVectorPartialOrder|Dimensions|DimensionsLoewyFactors|DimensionsMat|DimsQATrunc|DirectFactorisation|DirectFactorisationRelativePrime|DirectFactorsFittingFreeSocle|DirectFactorsOfGroup|DirectFactorsOfGroupByKN|DirectFactorsOfGroupFromList|DirectProduct|DirectProduct2dInfo|DirectProductCode|DirectProductDecompositionsLocal|DirectProductElement|DirectProductElementNC|DirectProductElementsFamily|DirectProductFamily|DirectProductFunctor|DirectProductFunctorial|DirectProductFunctorialWithGivenDirectProducts|DirectProductGog|DirectProductHigherDimensionalInfo|DirectProductInfo|DirectProductNGroups|DirectProductNearRing|DirectProductNearRingFlag|DirectProductOfAutomorphismGroups|DirectProductOfFunctions|DirectProductOfPermGroupsWithMovedPoints|DirectProductOfPureCubicalComplexes|DirectProductOfRegularCWComplexes|DirectProductOp|DirectProductSkewbraces|DirectSplitting|DirectSum|DirectSumCode|DirectSumCodiagonalDifference|DirectSumDecomposition|DirectSumDiagonalDifference|DirectSumFunctorial|DirectSumFunctorialWithGivenDirectSums|DirectSumInclusions|DirectSumInfo|DirectSumMat|DirectSumMinusSummands|DirectSumOfAlgebraModules|DirectSumOfAlgebras|DirectSumOfFpGModules|DirectSumOfQPAModules|DirectSumOfRepresentations|DirectSumOp|DirectSumProjectionInPushout|DirectSumProjections|DirectSummandOfGradedFreeModuleGeneratedByACertainDegree|DirectSummands|DirectedEdges|Direction|DirectoriesFamily|DirectoriesLibrary|DirectoriesPackageLibrary|DirectoriesPackagePrograms|DirectoriesSystemPrograms|Directory|DirectoryContents|DirectoryCurrent|DirectoryDesktop|DirectoryHome|DirectoryOfPolymakeObject|DirectoryTemporary|DirectoryType|DirichletSeries|DisableAddForCategoricalOperations|DisableAttributeValueStoring|DisableInputSanityChecks|DisableOutputSanityChecks|DisableSanityChecks|DisableTimingStatistics|Disc|DiscreteSubdomain|DiscreteSubgroupoid|DiscreteTrivialSubgroupoid|Discriminant|DiscriminantOfForm|Discriminator|DisjointUnion|DisjointUnionOfCliques|Displacement|DisplacementGroup|DisplacementSubgroup|Display|Display3DimensionalMorphism|DisplayACEArgs|DisplayACEOptions|DisplayArcPresentation|DisplayAsGrid|DisplayAsString|DisplayAtlasContents|DisplayAtlasInfo|DisplayAtlasMap|DisplayAvailableCellComplexes|DisplayBoundsInfo|DisplayCSVknotFile|DisplayCTblLibInfo|DisplayCacheStats|DisplayCombCollStats|DisplayCompositionFactors|DisplayCompositionSeries|DisplayCrystalFamily|DisplayCrystalSystem|DisplayDendrogram|DisplayDendrogramMat|DisplayEggBoxOfDClass|DisplayEggBoxesOfSemigroup|DisplayImfInvariants|DisplayImfReps|DisplayInformationPerfectGroups|DisplayLeadMaps|DisplayLibraryInfo|DisplayOptions|DisplayOptionsStack|DisplayPDBfile|DisplayPackageLoadingLog|DisplayPcpGroup|DisplayProfile|DisplayProfileSummaryForPackages|DisplayQClass|DisplayRecog|DisplayRing|DisplayRwsRules|DisplaySemigroup|DisplaySmallSemigroup|DisplaySpaceGroupGenerators|DisplaySpaceGroupType|DisplayString|DisplayStringForLargeFiniteFieldElements|DisplayTable|DisplayTimer|DisplayTimingStatistics|DisplayXMLStructure|DisplayZClass|DistVecClosVecLib|Distance|DistanceBetweenElements|DistanceCodeword|DistanceDigraph|DistanceGraph|DistanceOfVectors|DistancePerms|DistanceSet|DistanceSetInduced|DistanceToNextSmallerPointInOrbit|DistanceVecFFE|DistancesDistribution|DistancesDistributionMatFFEVecFFE|DistancesDistributionVecFFEsVecFFE|DistinctRepresentatives|DistinguishGroups|DistinguishedObjectOfHomomorphismStructure|Distr_Combinations|DistributiveElements|DistributiveMinimalNormalSubgroupsAndComplements|Distributors|Div|DivColLoc|DivColLoc_NonQ|DivPPartPoly|DivRowLoc|DivRowLoc_NonP|DivideColumnByUnit|DivideColumnTrafo|DivideEntryByUnit|DivideRowByUnit|DivideVec|DivisionAlgebraSF|DivisionRingByGenerators|DivisionRing_IsSubset|Divisor|DivisorAddition|DivisorAutomorphismGroupP1|DivisorDegree|DivisorEqual|DivisorGCD|DivisorIsEffective|DivisorIsZero|DivisorLCM|DivisorNegate|DivisorOfRationalFunctionP1|DivisorOnAffineCurve|DivisorPolytope|DivisorPolytopeLatticePoints|DivisorsInt|DivisorsIntCache|DivisorsMultivariatePolynomial|DivisorsOfElementInNumericalSemigroup|DixonInit|DixonRecord|DixonRepChi|DixonRepGHchi|DixonSplit|DixontinI|DnLattice|DnLatticeIterative|DoActionBlocksForKernel|DoAlgebraicExt|DoAllCat1GroupsIterator|DoAllCat1GroupsWithImageIterator|DoAllCat2GroupsIterator|DoAllCat2GroupsWithImagesIterator|DoAllIsomorphismsIterator|DoAllSubgroupsIterator|DoAssignGenVars|DoAtlasrepGroup|DoCartesianIterator|DoCentralSeriesPcgsIfNilpot|DoCheapActionImages|DoCheapOperationImages|DoClosurePrmGp|DoCodewordNr|DoComputeDihedralGenerators|DoComputeGeneralisedQuaternionGenerators|DoConjugateInto|DoContainedConjugates|DoDiagonalizeMat|DoEASLS|DoExponentsConjLayerFampcgs|DoFactorCosetAction|DoGGMBINC|DoGaloisType|DoHintedLowIndex|DoHintedStabChain|DoIO|DoImmutableMatrix|DoInducedPcgsByPcSequenceNC|DoIteratorPrimitiveSolubleGroups|DoIteratorPrimitiveSolvableGroups|DoLogModRho|DoLowIndexSubgroupsFpGroupIterator|DoLowIndexSubgroupsFpGroupIteratorWithSubgroupAndExclude|DoLowIndexSubgroupsFpGroupViaIterator|DoMaxesTF|DoMinimalFaithfulPermutationDegree|DoMulExt|DoNFIM|DoNSAW|DoNormalClosurePermGroup|DoNormalizerPermGroup|DoNormalizerSA|DoNotUseContraction|DoOrbitStabilizerAlgorithmStabsize|DoPcElementByExponentsGeneric|DoPcgsElementaryAbelianSeries|DoPcgsOrbitOp|DoPrintTable|DoQueues|DoRightTransversalPc|DoSafetyCheckStabChain|DoSemiEchelonMatTransformationDestructive|DoShortwordBasepoint|DoSnAnGiantTest|DoSparseActionHomomorphism|DoSparseLinearActionOnFaithfulSubset|DoStringPerm|DoUnivTestRatfun|DoUnorderedPairsIterator|DocumentationChunk|DocumentationExample|DocumentationGroup|DocumentationManItem|DocumentationTree|Domain|DomainAssociatedMorphismCodomainTriple|DomainByGenerators|DomainEmbedding|DomainForAction|DomainOfBipartition|DomainOfPartialPerm|DomainOfPartialPermCollection|DomainWithObjects|DomainWithSingleObject|DominantCharacter|DominantDimensionOfAlgebra|DominantDimensionOfModule|DominantLSPath|DominantWeights|Dominates|DominatesOp|DominatorTree|Dominators|DotBinaryRelation|DotColoredDigraph|DotDigraph|DotEdgeColoredDigraph|DotEliahouGraph|DotFactorizationGraph|DotFileLatticeSubgroups|DotForDrawingDClassOfElement|DotForDrawingDClasses|DotForDrawingRightCayleyGraph|DotForDrawingSchutzenbergerGraphs|DotHighlightedDigraph|DotIP_DefaultOptionsForArraysOfIntegers|DotLeftCayleyDigraph|DotNSEngine|DotOverSemigroups|DotOverSemigroupsNumericalSemigroup|DotPartialOrderDigraph|DotPreorderDigraph|DotQuasiorderDigraph|DotRightCayleyDigraph|DotRosalesGraph|DotSemilatticeOfIdempotents|DotSplash|DotString|DotStringForDrawingAutomaton|DotStringForDrawingGraph|DotStringForDrawingSCCAutomaton|DotStringForDrawingSubAutomaton|DotSymmetricColoredDigraph|DotSymmetricDigraph|DotSymmetricEdgeColoredDigraph|DotSymmetricVertexColoredDigraph|DotToSVG|DotTreeOfGluingsOfNumericalSemigroup|DotVertexColoredDigraph|DotVertexLabelledDigraph|DoubleCentralizerOrbit|DoubleCoset|DoubleCosetRepresentatives|DoubleCosetRepsAndSizes|DoubleCosetRewritingSystem|DoubleCosets|DoubleCosetsAutomaton|DoubleCosetsNC|DoubleCosetsPcGroup|DoubleCoverOfAlternatingGroup|DoubleDigraph|DoubleHashArraySize|DoubleHashDictSize|DoubleHook|DoubleShiftAlgebra|Down|Down2|Down2DimensionalGroup|Down2DimensionalMorphism|Down3|Down3DimensionalGroup|DownEnv|DownOnlyMorphismData|DownToBottom|DownloadFile|DownloadURL|Draw|DrawAutomaton|DrawCayleyGraph|DrawDClassOfElement|DrawDClasses|DrawDiagram|DrawDiagramWithNeato|DrawGraph|DrawGrid|DrawHasse|DrawLineNC|DrawOrbitPicture|DrawRightCayleyGraph|DrawSCCAutomaton|DrawSchutzenbergerGraphs|DrawSetOfNumericalSemigroups|DrawSubAutomaton|Drawing_Diagram|Drop@RepnDecomp|Dt_AddVecToList|Dt_Convert|Dt_ConvertCoeffVecs|Dt_GetMax|Dt_GetNumRight|Dt_IsEqualMonomial|Dt_Mkavec|Dt_RemoveHoles|Dt_Sort2|Dt_add|Dual|DualAlgebraModule|DualAutomFamily|DualAutomaton|DualBasis|DualBiset|DualBlockDesign|DualCode|DualCoordinatesOfHyperplane|DualFrobeniusGModule|DualGModule|DualKroneckerMat|DualMachine|DualOfAlgebraAsModuleOverEnvelopingAlgebra|DualOfModule|DualOfModuleHomomorphism|DualOfTranspose|DualOnMorphisms|DualOnMorphismsWithGivenDuals|DualOnObjects|DualSemigroup|DualSemigroupGenerators|DualSemigroupOfFamily|DualSpace|DualSymmetricInverseMonoid|DualSymmetricInverseSemigroup|Dualize|DumpWorkspace|DuplicateFreeList|DwyerQuotient|DxActiveCols|DxCalcAllPowerMaps|DxCalcPrimeClasses|DxDegreeCandidates|DxEigenbase|DxFrobSchurInd|DxGaloisOrbits|DxGeneratePrimeCyclotomic|DxIncludeIrreducibles|DxIsInSpace|DxLiftCharacter|DxLinearCharacters|DxModProduct|DxModularValuePol|DxNiceBasis|DxOnedimCleanout|DxPreparation|DxRegisterModularChar|DxSplitDegree|DynamicTreeFamily|DynamicalCocycle|DynamicalCocycleFromCoveringMap|DynamicalCocycles|DynamicalExtension|DynkinIndex|DynkinQuiver|DynkinQuiverAn|DynkinQuiverDn|DynkinQuiverEn|E|E1CohomologyPage|E1HomologyPage|EAGER_FLOAT_LITERAL_CONVERTERS|EANormalSeriesByPcgs|EAPrimeLayerSQ|EARLY_METHOD|EAbacus|EAbacusOp|EAbacusRunners|EAbacusRunnersOp|EB|EC|ECHO_ACE_ARGS|ECM|ECMPower|ECMProduct|ECMSplit|ECMSquare|ECMTryCurve|ECore|ECoreOp|ED|EDGESTABILIZER@FR|EE|EF|EG|EGQByBLTSet|EGQByKantorFamily|EGQByqClan|EH|EHookDiagram|EHookDiagramOp|EI|EJ|EK|EL|ELM0_GF2VEC|ELM0_VEC8BIT|ELMS_GF2VEC|ELMS_LIST|ELMS_LIST_DEFAULT|ELMS_VEC8BIT|ELMS_VEC8BIT_RANGE|ELM_DEFAULT_LIST|ELM_GF2MAT|ELM_GF2VEC|ELM_LIST|ELM_MAT|ELM_MAT8BIT|ELM_REC|ELM_VEC8BIT|ELSPOS|EM|EMPOS|EMPTYCONTENT|EMPTY_FLAGS|EMPTY_PPERM4|ENABLE_AUTO_RETYPING|ENDLINE_FUNC|ENDOISONE@FR|ENDONORM@FR|ENSURE_NO_ACE_ERRORS|ENTER_NAMESPACE|ENTITYDICT|ENTITYDICT_GAPDoc|ENTITYDICT_bibxml|ENTITYDICT_default|ENVI_FUNC|EQ|EQ_GF2MAT_GF2MAT|EQ_GF2VEC_GF2VEC|EQ_LIST_LIST_DEFAULT|EQ_MACFLOAT|EQ_MAT8BIT_MAT8BIT|EQ_MPFR|EQ_VEC8BIT_VEC8BIT|EQuotient|EQuotientOp|ER|ERF_MACFLOAT|ERGParameters|ERROR_COUNT|ERROR_OUTPUT|ERR_TAG|ERegularPartitions|ERegularPartitionsOp|ERegulars|ERepAssWorInv|ERepAssWorProd|ERepLettWord|EResidueDiagram|EResidueDiagramOp|ES|ET|ETopLadder|ETopLadderOp|EU|EUnitaryInverseCover|EV|EW|EWeight|EWeightOp|EX|EXEC@FR|EXECINSHELL@FR|EXECUTEOBJECTS|EXECUTE_PROCESS_FILE_STREAM|EXEC_ACE_DIRECTIVE_OPTION|EXP10_MACFLOAT|EXP10_MPFR|EXP2_MACFLOAT|EXP2_MPFR|EXPM1_MACFLOAT|EXPM1_MPFR|EXP_BIAS|EXP_FLOAT|EXP_MACFLOAT|EXP_MPFR|EXPermutationActionPairs|EXReducePermutationActionPairs|EXTENDPERIODICLIST@FR|EXTRA_PERSON_KEYS|EXTREPOFOBJ_MPFR|EXTREP_COEFFS_LAURENT|EXTREP_POLYNOMIAL_LAURENT|EY|Ealpha|Earns|EasyMinimizeTuple|EasyReduce|EchResidueCoeffs|EchelonForm|EchelonMat|EchelonMatDestructive|EchelonMatTransformation|EchelonMatTransformationDestructive|EcheloniseMat|EdgeDigraph|EdgeGraph|EdgeOfDiagramFamily|EdgeOrbitsDigraph|EdgeOrbitsGraph|EdgeUndirectedDigraph|EdgesOfHigherDimensionalGroup|Edit|EfaSeries|EfaSeriesParent|EfficientNormalSubgroups|EgSeparatedString|EggBoxOfDClass|Eigenspaces|Eigenvalues|EigenvaluesChar|Eigenvectors|EilenbergMacLaneSimplicialFreeAbelianGroup|EilenbergMacLaneSimplicialGroup|Elasticity|ElasticityOfAffineSemigroup|ElasticityOfFactorizationsElementWRTAffineSemigroup|ElasticityOfFactorizationsElementWRTNumericalSemigroup|ElasticityOfNumericalSemigroup|ElationByPair|ElationGroup|ElationOfProjectiveSpace|ElementByRws|ElementFunction|ElementInIndecProjective|ElementNumber|ElementNumberSR|ElementNumber_Basis|ElementNumber_Cartesian|ElementNumber_DoubleCoset|ElementNumber_ExtendedVectors|ElementNumber_ExternalOrbitByStabilizer|ElementNumber_FiniteFullRowModule|ElementNumber_FreeGroup|ElementNumber_FreeMagma|ElementNumber_FreeMonoid|ElementNumber_FreeSemigroup|ElementNumber_IdealOfNumericalSemigroup|ElementNumber_InfiniteFullRowModule|ElementNumber_NormedRowVectors|ElementNumber_NumericalSemigroup|ElementNumber_PermGroup|ElementNumber_RationalClassGroup|ElementNumber_Rationals|ElementNumber_RightCoset|ElementNumber_SemigroupIdealEnumerator|ElementNumber_Subset|ElementNumber_ZmodnZ|ElementNumbers|ElementOfArrow|ElementOfCrossedProduct|ElementOfFpAlgebra|ElementOfFpGroup|ElementOfFpMonoid|ElementOfFpSemigroup|ElementOfGrothendieckGroup|ElementOfGrothendieckGroupOfProjectiveSpace|ElementOfHomalgFakeLocalRing|ElementOfLpGroup|ElementOfMagmaRing|ElementOfPathAlgebra|ElementOfQuotientOfPathAlgebra|ElementOrdersPowerMap|ElementProperty|ElementTestFunction|ElementToElement|ElementTypeOfStrongSemilatticeOfSemigroups|ElementaryAbelianConsider|ElementaryAbelianGroup|ElementaryAbelianGroupCons|ElementaryAbelianProductResidual|ElementaryAbelianSeries|ElementaryAbelianSeriesLargeSteps|ElementaryAbelianSubseries|ElementaryDivisors|ElementaryDivisorsIntMatDeterminant|ElementaryDivisorsMat|ElementaryDivisorsMatDestructive|ElementaryDivisorsPPartHavasSterling|ElementaryDivisorsPPartRk|ElementaryDivisorsPPartRkExp|ElementaryDivisorsPPartRkExpSmall|ElementaryDivisorsPPartRkI|ElementaryDivisorsPPartRkII|ElementaryDivisorsSquareIntMatFullRank|ElementaryDivisorsTransformationsMat|ElementaryDivisorsTransformationsMatDestructive|ElementaryRank|ElementarySymmetricPolynomial|Elements|ElementsAddFactor|ElementsCode|ElementsCollFamily|ElementsFamily|ElementsIncidentWithElementOfIncidenceStructure|ElementsLazy|ElementsLeftActing|ElementsOfFlag|ElementsOfGroupoid|ElementsOfIncidenceStructure|ElementsOfIncidenceStructureFamily|ElementsOfMonoidPresentation|ElementsSL2Z|ElementsStabChain|ElementsUpTo|EliahouNumber|EliahouSlicesOfNumericalSemigroup|ElimGenRWS|Eliminate|EliminateDenominator|EliminateOverBaseRing|EliminateVars|EliminatedWord|EliminationOrdering|EllipticQuadric|ElmDivRingElm|ElmNumberForm|ElmNumberLin|ElmNumberMon|ElmNumberUni|ElmTimesRingElm|ElmToNr|ElmWPObj|Elms53Case6|Elms53Case7|ElsymsPowersums|EmailLogFile|Embed|EmbedAutomorphisms|EmbedFullAutomorphismWreath|EmbedRangeAutos|EmbedSourceAutos|EmbeddedConjugates|Embedding|EmbeddingAffineToricVariety|EmbeddingConjugates|EmbeddingDimension|EmbeddingDimensionOfNumericalSemigroup|EmbeddingInSuperObject|EmbeddingIntoFreeProduct|EmbeddingIntoGL|EmbeddingOfAscendingSubgroup|EmbeddingOfEqualizer|EmbeddingOfEqualizerWithGivenEqualizer|EmbeddingOfIASubgroup|EmbeddingOfSubmoduleGeneratedByHomogeneousPart|EmbeddingOfTruncatedModuleInSuperModule|EmbeddingWreathInWreath|EmbeddingsDigraphs|EmbeddingsDigraphsRepresentatives|EmbeddingsInCoproductObject|EmbeddingsInNiceObject|EmptyBinaryRelation|EmptyColumn|EmptyColumnGreater|EmptyColumnGreaterLoc|EmptyColumnGreaterLoc_NonP|EmptyColumnLoc|EmptyDigraph|EmptyDigraphCons|EmptyDirectProductElementsFamily|EmptyEnumeratorOfSmallSemigroups|EmptyIteratorOfSmallSemigroups|EmptyKBDAG|EmptyMatrix|EmptyPBR|EmptyPartialPerm|EmptyPlist|EmptyRBase|EmptyRecognitionInfoRecord|EmptyRowGreater|EmptyRowGreaterLoc|EmptyRowGreaterLoc_NonQ|EmptyRowVector|EmptySCTable|EmptySemiEchelonBasis|EmptyStabChain|EmptyString|EmptySubspace|EnableAddForCategoricalOperations|EnableAttributeValueStoring|EnableFerretOverloads|EnableFullInputSanityChecks|EnableFullOutputSanityChecks|EnableFullSanityChecks|EnablePartialInputSanityChecks|EnablePartialOutputSanityChecks|EnablePartialSanityChecks|EnableTimingStatistics|Encode|End|EndLineHook|EndModuloProjOverAlgebra|EndOfModuleAsQuiverAlgebra|EndOverAlgebra|EndWeight|EndlineFunc|EndoMappingByFunction|EndoMappingByPositionList|EndoMappingByTransformation|EndoMappingFamily|EndoMappingToOne|EndomorphismMonoid|EndomorphismNearRing|EndomorphismNearRingFlag|EndomorphismRing|Endomorphisms|EndomorphismsOfFRSchurMultiplier|EndomorphismsOfLpGroup|EndomorphismsPartition|EndsWith|EnforceCachelimit|EngelAlgebra|EngelComm|EngelLieClass|EnlargeOrbit|EnlargedGabidulinCode|EnlargedModule|EnlargedTombakCode|Enqueue|EnrichAssociatedFirstGrothendieckSpectralSequence|EnsureCompleteHexNum|EnterAllSubwords|EntitySubstitution|EntriesOfHomalgMatrix|EntriesOfHomalgMatrixAsListList|EntriesOfSparseMatrix|EntryOfMatrixProduct|Enumerate|EnumerateCosetsRWS|EnumeratePosition|EnumerateRWS|EnumerateReducedCosetRepresentatives|EnumerateReducedWords|Enumerator|EnumeratorByBasis|EnumeratorByFunctions|EnumeratorByOrbit|EnumeratorByPcgs|EnumeratorCanonical|EnumeratorOfAdditiveMagma|EnumeratorOfCartesianProduct|EnumeratorOfCartesianProduct2|EnumeratorOfCombinations|EnumeratorOfIdeal|EnumeratorOfMagma|EnumeratorOfMagmaIdeal|EnumeratorOfNormedRowVectors|EnumeratorOfPrimeField|EnumeratorOfRing|EnumeratorOfSemigroupIdeal|EnumeratorOfSmallSemigroups|EnumeratorOfSmallSemigroupsByDiagonals|EnumeratorOfSmallSemigroupsByIds|EnumeratorOfSmallSemigroupsByIdsNC|EnumeratorOfSubset|EnumeratorOfTriangle|EnumeratorOfTrivialAdditiveMagmaWithZero|EnumeratorOfTrivialMagmaWithOne|EnumeratorOfTuples|EnumeratorOfZmodnZ|EnumeratorSorted|EnumeratorSortedOfSmallSemigroups|EnvelopingAlgebra|EnvelopingAlgebraHomomorphism|EpiCentre|EpiOfPushout|EpiOnFactorObject|EpiOnLeftFactor|EpiOnRightFactor|Epicenter|Epicentre|EpimorphismByGenerators|EpimorphismCoveringGroups|EpimorphismFiniteRankSchurMultipliers|EpimorphismFromClassical|EpimorphismFromFpGroup|EpimorphismFromFreeGroup|EpimorphismFromSomeProjectiveObject|EpimorphismFromSomeProjectiveObjectWithGivenSomeProjectiveObject|EpimorphismGermGroup|EpimorphismMatrixQuotient|EpimorphismNilpotentQuotient|EpimorphismNilpotentQuotientOp|EpimorphismNonabelianExteriorSquare|EpimorphismPGroup|EpimorphismPcGroup|EpimorphismPermGroup|EpimorphismPqStandardPresentation|EpimorphismQuotientSystem|EpimorphismSchurCover|EpimorphismSchurCover@FR|EpimorphismSolubleQuotient|EpimorphismSolvableQuotient|EpimorphismStandardPresentation|EpimorphismTransformationMonoid|EpimorphismTransformationSemigroup|EpimorphismsDigraphs|EpimorphismsDigraphsRepresentatives|EpimorphismsUpToAutomorphisms|EpsilonCompactedAut|EpsilonToNFA|EpsilonToNFABlist|EpsilonToNFASet|EqFloat|EqualCatenaryDegreeOfAffineSemigroup|EqualCatenaryDegreeOfNumericalSemigroup|EqualCatenaryDegreeOfSetOfFactorizations|EqualInFreeBand|Equalizer|EqualizerFunctorial|EqualizerFunctorialWithGivenEqualizers|EqualizerOp|EquationForPolarSpace|EquationOfHyperplane|EquationOrderBasis|Equations|EquationsOfGroupGeneratedBy|EquiDimensionalDecompositionOp|Equivalence|EquivalenceClassOfElement|EquivalenceClassOfElementNC|EquivalenceClassRelation|EquivalenceClasses|EquivalenceHead|EquivalenceRelationByPairs|EquivalenceRelationByPairsNC|EquivalenceRelationByPartition|EquivalenceRelationByPartitionNC|EquivalenceRelationByProperty|EquivalenceRelationByRelation|EquivalenceRelationCanonicalLookup|EquivalenceRelationCanonicalPartition|EquivalenceRelationLookup|EquivalenceRelationPartition|EquivalenceRelationPartitionWithSingletons|EquivalenceSmallSemigroup|EquivalenceTail|EquivalenceType|EquivalentBlockRepresentation|EquivalentFreeListOfDifferenceSets|EquivalentFreeListOfDifferenceSums|EquivalentRepresentation|EquivariantCWComplexToRegularCWComplex|EquivariantCWComplexToRegularCWMap|EquivariantCWComplexToResolution|EquivariantChainMap|EquivariantEuclideanSpace|EquivariantEulerCharacteristic|EquivariantOrbitPolytope|EquivariantSpectralSequencePage|EquivariantTwoComplex|EraseNaturalHomomorphismsPool|Erf|Error|ErrorCount|ErrorInner|ErrorLVars|ErrorLevel|ErrorNoReturn|ErrorProbability|ErrorVector|EscapeCharsInString|EuclideanApproximatedMetric|EuclideanDegree|EuclideanQuotient|EuclideanRemainder|EuclideanSquaredMetric|EulerBilinearFormOfAlgebra|EulerCharacteristic|EulerIntegral|EulerianFunction|EulerianFunctionByTom|Eval|EvalAddMat|EvalAssoc|EvalCertainColumns|EvalCertainRows|EvalChars|EvalCoefficientsWithGivenMonomials|EvalCoercedMatrix|EvalCompose|EvalConsistency|EvalConvertColumnToMatrix|EvalConvertMatrixToColumn|EvalConvertMatrixToRow|EvalConvertRowToMatrix|EvalDiagMat|EvalDualKroneckerMat|EvalExpTree|EvalF|EvalFpCoc|EvalInverse|EvalInvolution|EvalKroneckerMat|EvalLeftInverse|EvalMatrixOfRelations|EvalMatrixOfRingRelations|EvalMatrixOperation|EvalMonomial|EvalMueRelations|EvalMulMat|EvalMulMatRight|EvalOMString|EvalPoly|EvalRelator|EvalReplacedFileForHomalg|EvalRightInverse|EvalRingElement|EvalStraightLineProgElm|EvalString|EvalSubMat|EvalSyzygiesOfColumns|EvalSyzygiesOfRows|EvalTrace|EvalTransposedMatrix|EvalUnionOfColumns|EvalUnionOfRows|Evaluate|EvaluateBySCSCP|EvaluateCocycle|EvaluateCocycleViaElements|EvaluateCocycleViaWords|EvaluateConsistency|EvaluateExpTree|EvaluateExtRepObjWord|EvaluateForm|EvaluateOverlapANA|EvaluateOverlapBAN|EvaluateOverlapBNA|EvaluateOverlapCBA|EvaluatePPowerPoly|EvaluatePorcPoly|EvaluatePresentation|EvaluateProperty|EvaluateRelation|EvaluateRelators|EvaluateSkewbraceAction|EvaluateWord|EvaluatedMatrixOfRelations|EvaluatedMatrixOfRingRelations|EvaluationBivariateCode|EvaluationBivariateCodeNC|EvaluationCode|EvaluationForDual|EvaluationForDualWithGivenTensorProduct|EvaluationMorphism|EvaluationMorphismWithGivenSource|EvenSubgroup|EvenWeightSubcode|ExactSizeConsiderFunction|ExactTriangle|ExamRationals|ExamUnimod|Example|Example0|Example1|Example10|Example11|Example2|Example3|Example4|Example5|Example6|Example7|Example8|Example9|ExampleMatField|ExampleOfMetabelianPcpGroup|ExamplesForHomalg|ExamplesOfLPresentations|ExamplesOfSomeMalcevCollectors|ExamplesOfSomeMalcevObjects|ExamplesOfSomePcpGroups|ExceptionalBoundedAutomaton|ExceptionalNearFields|ExchangeColumnsPPP|ExchangeColumnsPPPL|ExchangeElement|ExchangeRowsPPP|ExchangeRowsPPPL|ExcisedPair|ExcisedPureCubicalPair|ExcisedPureCubicalPair_dim_2|ExcludedElements|ExcludedLines|ExcludedOrders|Exec|ExecForHomalg|ExecuteProcess|ExhaustiveSearchCoveringRadius|ExistsFSA|Exp|Exp10|Exp2|Exp2GenList|Exp2Groupelement|ExpMethod|ExpMultNearRingIdealClosureOfSubgroup|ExpMultNearRingRightIdealClosureOfSubgroup|ExpPcElmSortedFun|ExpTreeEvalFunctions|ExpTreeFamily|ExpTreeNodeTypes|ExpTreePrintFunctions|ExpTreePrintingLeftNormed|ExpVectorOfGroupByFieldElements|ExpVectorOfTFGroupByFieldElements|ExpandAlphabet|ExpandExponentLaw|ExpandFieldSR|ExpandedTail|ExpansionOfRationalFunction|ExplicitMultiplicationNearRing|ExplicitMultiplicationNearRingElementFamilies|ExplicitMultiplicationNearRingElementFamily|ExplicitMultiplicationNearRingNC|Expm1|Exponent|ExponentAbelianPcpGroup|ExponentOfCPCS_Unipotent|ExponentOfPGroupAndElm|ExponentOfPcElement|ExponentOfPowering|ExponentRelationMatrix|ExponentSquareIntMatFullRank|ExponentSum|ExponentSumWord|ExponentSums|ExponentSyllable|ExponentVector_AbelianSS|ExponentVector_CPCS_FactorGU_p|ExponentVector_CPCS_PRMGroup|Exponents|ExponentsAutPGroup|ExponentsByBasePcgs|ExponentsByBasis|ExponentsByGensSF|ExponentsByIgs|ExponentsByMatsSL|ExponentsByObj|ExponentsByPcp|ExponentsByPcpFactors|ExponentsByPcpList|ExponentsByRels|ExponentsCanonicalPcgsByNumber|ExponentsConjugateLayer|ExponentsLPR|ExponentsOfCommutator|ExponentsOfConjugate|ExponentsOfFractionalIdealDescription|ExponentsOfFractionalIdealDescriptionPari|ExponentsOfGeneratorsOfToricIdeal|ExponentsOfPcElement|ExponentsOfPcElementPermGroup|ExponentsOfRelativePower|ExponentsOfUnits|ExponentsOfUnitsDescriptionWithRankPari|ExponentsOfUnitsOfNumberField|ExponentsOfUnitsWithRank|ExponentsResiduePcgs|ExponentvectorPartPcgs|ExponentvectorPcgs_finite|ExportHapCellcomplexToDisk|ExportIndeterminates|ExportRationalParameters|ExportToKernelFinished|ExportVariables|ExpressSumOfPowersInElementarySymmetricPolynomials|ExpressSymmetricPolynomialInElementarySymmetricPolynomials|ExpressionTrees|ExpsByWord|ExpurgatedCode|Ext|ExtAlgebraGenerators|ExtOrbStabDom|ExtOverAlgebra|ExtRepByTailVector|ExtRepDenominatorRatFun|ExtRepNumeratorRatFun|ExtRepOfObj|ExtRepOfPolynomial_String|ExtRepPolynomialRatFun|ExtSSPAndDim|ExtVarHandlerRWS|ExtVectorByRel|Extend|ExtendAffine|ExtendAuto|ExtendCanoForm|ExtendHomo|ExtendNQ|ExtendOrbitStabilizer|ExtendQuotientSystem|ExtendRep|ExtendRepresentation|ExtendRootDirectories|ExtendScalars|ExtendSeriesPGParticular|ExtendSeriesPermGroup|ExtendStabChain|ExtendSubgroupsOfNormal|ExtendToBasisOfFullRowspace|ExtendedBasePcgs|ExtendedBasePcgsMod|ExtendedBinaryGolayCode|ExtendedCartanMatrix|ExtendedCode|ExtendedDirectSumCode|ExtendedIntersectionSumPcgs|ExtendedPcgs|ExtendedPcgsComplementsOfCentralModuloPcgsUnderAction|ExtendedReedSolomonCode|ExtendedRepresentation|ExtendedRepresentationNormal|ExtendedSeriesPcps|ExtendedStartsets|ExtendedStartsetsNoSort|ExtendedT|ExtendedTernaryGolayCode|ExtendedVectors|Extension|ExtensionByConstantCocycle|ExtensionBySocle|ExtensionCR|ExtensionClassesCR|ExtensionInfoCharacterTable|ExtensionMapsFromExteriorComplex|ExtensionModule|ExtensionNC|ExtensionOfW121BySoluble|ExtensionOfW12ByAbelian|ExtensionOfsl2BySoluble|ExtensionOfsl2ByV2a|ExtensionOnBlocks|ExtensionRepresentatives|ExtensionSQ|Extensions|ExtensionsByGroupNoCentre|ExtensionsCR|ExtensionsOfModule|ExteriorAlgebra|ExteriorAlgebraFromSyzygiesObject|ExteriorCenter|ExteriorCentre|ExteriorPower|ExteriorPowerBaseModule|ExteriorPowerElementDual|ExteriorPowerExponent|ExteriorPowerOfAlgebraModule|ExteriorPowerOfPresentationMorphism|ExteriorPowers|ExteriorRing|ExternalFilename|ExternalOrbit|ExternalOrbitOp|ExternalOrbits|ExternalOrbitsStabilisers|ExternalOrbitsStabilizers|ExternalSet|ExternalSetByFilterConstructor|ExternalSetByTypeConstructor|ExternalSetXMod|ExternalSubset|ExternalSubsetOp|ExternalWordToInternalWordOfRewritingSystem|Extract|ExtractBlock@RepnDecomp|ExtractColumn|ExtractExamples|ExtractExamplesXMLTree|ExtractIndexPart|ExtractMin|ExtractPermutations|ExtractSubMatrix|ExtractSubVector|ExtractTitleInfoFromPackageInfo|ExtractTorsionSubcomplex|ExtraspecialGroup|ExtraspecialGroupCons|ExtremelyStrongShodaPairs|FACTGRP_TRIV|FACTINT_CACHE|FACTINT_FACTORS_CACHE|FACTINT_SMALLINTCACHE|FACTINT_SMALLINTCACHE_LIMIT|FACTINT_SMALLINTCOUNT|FACTINT_SMALLINTCOUNT_THRESHOLD|FACTORIAL_INT|FACTORS_FIB|FACTOR_MAINTAINED_INFO|FAKE_RUNTIME|FAKE_RUNTIME_COUNT|FAMILY_OBJ|FAMILY_TYPE|FAMS_FFE_LARGE|FAtoRatExp|FCCentre|FCCentrePcpGroup|FCentralTest|FCommutatorPcgs|FD_OF_FILE|FD_OF_IOSTREAM|FDegree|FExponents|FFClassesVectorSpaceComplement|FFECONWAY|FFEFamily|FFEToString|FFList|FFLists|FFLogList|FFLogLists|FFMatOrPermCMtxBinary|FFMatrixByNumber|FFPFactors|FFPOrderKnownDividend|FFPPowerModCheck|FFPUpperBoundOrder|FFStats|FGA_AsWordLetterRepInFreeGenerators|FGA_AsWordLetterRepInGenerators|FGA_AutomInsertGeneratorLetterRep|FGA_Check|FGA_CheckRank|FGA_CurryAutToPQOU|FGA_ExtSymListRepToPQO|FGA_FindGeneratorsAndStates|FGA_FindRepInIntersection|FGA_FreeGroupForGenerators|FGA_FromGeneratorsLetterRep|FGA_FromGroupWithGenerators|FGA_FromGroupWithGeneratorsX|FGA_GeneratorsLetterRep|FGA_GetNr|FGA_Image|FGA_Index|FGA_InsertGenerator|FGA_InsertGeneratorLetterRep|FGA_NielsenAutomorphisms|FGA_NikToPQ|FGA_One|FGA_Source|FGA_StateTable|FGA_States|FGA_TiToPQ|FGA_TmpState|FGA_TrySetRepTable|FGA_WhiteheadAnalyse|FGA_WhiteheadAutomorphism|FGA_WhiteheadAutomorphisms|FGA_WhiteheadParams|FGA_WhiteheadToPQOU|FGA_atfX|FGA_backtrace|FGA_backtraceX|FGA_coincidence|FGA_coincidenceX|FGA_connect|FGA_connectX|FGA_connectpos|FGA_connectposX|FGA_define|FGA_defineX|FGA_delta|FGA_deltaX|FGA_deltas|FGA_deltasX|FGA_find|FGA_findX|FGA_fromgeneratorsX|FGA_initial|FGA_insertgeneratorX|FGA_merge|FGA_mergeX|FGA_newstate|FGA_newstateX|FGA_reducedPos|FGA_repr|FGA_stepX|FGA_trace|FGA_traceX|FGRep2|FGRep4|FGRep4C|FGRepC|FGRepMC|FGRepO|FGRepQ|FGRepSQHalf|FGRepT|FG_N1_rank|FG_N1_unrank|FG_N_rank|FG_N_unrank|FG_Nbar_rank|FG_Nbar_unrank|FG_S_rank|FG_S_unrank|FG_Sbar_rank|FG_Sbar_unrank|FG_alpha_power|FG_beta_power|FG_enum_hermitian|FG_enum_orthogonal|FG_enum_symplectic|FG_evaluate_hermitian_form|FG_evaluate_hyperbolic_quadratic_form|FG_ffenumber|FG_herm_N1_rank|FG_herm_N1_unrank|FG_herm_N_rank|FG_herm_N_unrank|FG_herm_S_rank|FG_herm_S_unrank|FG_herm_Sbar_rank|FG_herm_Sbar_unrank|FG_herm_nb_pts_N|FG_herm_nb_pts_N1|FG_herm_nb_pts_S|FG_herm_nb_pts_Sbar|FG_index_of_norm_one_element|FG_log_alpha|FG_log_beta|FG_nb_pts_N|FG_nb_pts_N1|FG_nb_pts_Nbar|FG_nb_pts_S|FG_nb_pts_Sbar|FG_norm_one_element|FG_pos|FG_specialresidual|FIB_RES|FILENAME_FUNC|FILLED_LINE|FILTERCOMPARE@FR|FILTERORDER@FR|FILTERS|FILTER_PQ_STREAM_UNTIL_PROMPT|FILTER_REGION|FINDEVENNORMALOPTS|FINDGROUPRELATIONS@FR|FINDGROUPRELATIONS_ADD@FR|FINDMONOIDRELATIONS@FR|FIND_COMMAND_POSITIONS|FIND_HCLASSES|FIND_LISTING|FIND_MIN_GEN_SET|FIND_OBJ_MAP|FIND_OBJ_SET|FIND_PART_WHICH_CONTAINS_FUNCTION|FIND_PREDICATE_VARIABLES|FIND_VARIABLE_TYPES|FINING|FIRST_CONSTANT_TNUM|FIRST_EXTERNAL_TNUM|FIRST_IMM_MUT_TNUM|FIRST_LIST_TNUM|FIRST_MULT_TNUM|FIRST_OBJSET_TNUM|FIRST_PACKAGE_TNUM|FIRST_PLIST_TNUM|FIRST_REAL_TNUM|FIRST_RECORD_TNUM|FIXED_PTS_PPERM|FLAG1_FILTER|FLAG2_FILTER|FLAGS_FILTER|FLAG_ID|FLAG_LONG|FLAG_STATUS|FLAT_KERNEL_TRANS|FLAT_KERNEL_TRANS_INT|FLIP_BLIST|FLMLOR|FLMLORByGenerators|FLMLORFromFFE|FLMLORWithOne|FLMLORWithOneByGenerators|FLOAT|FLOAT_COMPLEX_STRING|FLOAT_DEFAULT_REP|FLOAT_EMPTYSET_STRING|FLOAT_INFINITY_STRING|FLOAT_INT|FLOAT_I_STRING|FLOAT_MINIMALPOLYNOMIAL|FLOAT_NINFINITY_STRING|FLOAT_PSEUDOFIELD|FLOAT_REAL_STRING|FLOAT_STRING|FLOAT_TAG|FLOOR_MACFLOAT|FLOOR_MPFR|FLOYDS_ALGORITHM|FLUSH_ACE_STREAM_UNTIL|FLUSH_ALL_METHOD_CACHES|FLUSH_FLOAT_LITERAL_CACHE|FLUSH_PQ_STREAM_UNTIL|FMRRemoveZero|FNUM_ATTR|FNUM_ATTR_KERN|FNUM_ATTS|FNUM_CAT|FNUM_CATS|FNUM_CATS_AND_REPS|FNUM_CAT_KERN|FNUM_PROP|FNUM_PROP_KERN|FNUM_PROS|FNUM_REP|FNUM_REPS|FNUM_REP_KERN|FNUM_TPR|FNUM_TPRS|FNUM_TPR_KERN|FNormalizerWrtFormation|FNormalizerWrtFormationOp|FORCE_QUIT_GAP|FORCE_SWITCH_OBJ|FOR_TAG|FPFaithHom|FPLSA|FPMinOverIdeals|FPRandomWord|FR2AutomGrp|FRAC@FR|FRAC_MPFR|FRAffineGroup|FRAlgebra|FRAlgebraWithOne|FRBISET_FAMILY|FRBranchGroupConjugacyData|FRConjugacyAlgorithm|FREFamily|FRETYPE@FR|FREXP_MACFLOAT|FREXP_MPFR|FRElement|FRElementNC|FRFIXEDSTATES@FR|FRGroup|FRGroupByVirtualEndomorphism|FRGroupImageData|FRGroupPreImageData|FRJFAMILY@FR|FRLIMITSTATES@FR|FRMFamily|FRMMINSUM@FR|FRMSUM@FR|FRMTRANSITION@FR|FRMachine|FRMachineFRGroup|FRMachineFRMonoid|FRMachineFRSemigroup|FRMachineNC|FRMachineOfBiset|FRMachineRWS|FRMonoid|FRSemigroup|FR_FAMILIES|FSA|FSummands|FSystem|FTLCollectorAppendTo|FTLCollectorPrintTo|FULLGETDATA@FR|FULLGLNICOCACHE|FULL_ACE_OPT_NAME|FUNCSPACEHASH|FUNC_BODY_SIZE|FWITF|FW_QUOT_LIB|FabrykowskiGuptaGroup|FabrykowskiGuptaGroups|FaceLatticeAndBoundaryBieberbachGroup|Faces|FacesOfHigherDimensionalGroup|FactInfo|FactInt|FactIntInfo|FactPermRepMaxDesc|FactorCosetAction|FactorFreeAlgebraByRelators|FactorFreeGroupByRelators|FactorFreeMonoidByRelations|FactorFreeSemigroupByRelations|FactorGroup|FactorGroupFpGroupByRels|FactorGroupNC|FactorGroupNormalSubgroupClasses|FactorGroupTom|FactorLattice|FactorLoop|FactorNearRing|FactorNearRingFlag|FactorObject|FactorOrder|FactorPathAlgebraByRelators|FactorPreXMod|FactorSemigroup|FactorSemigroupByClosure|FactorSpace|FactoredTransversal|Factorial|FactorisableDualSymmetricInverseMonoid|Factorization|FactorizationCheck|FactorizationIntoCSCRCT|FactorizationIntoElementaryCSCRCT|FactorizationIntoGenerators|FactorizationNParts|FactorizationOnConnectedComponents|Factorizations|FactorizationsElementListWRTNumericalSemigroup|FactorizationsElementWRTNumericalSemigroup|FactorizationsInHomogenizationOfNumericalSemigroup|FactorizationsIntegerWRTList|FactorizationsVectorWRTList|Factors|FactorsCFRAC|FactorsCommonDegreePol|FactorsComplementClasses|FactorsECM|FactorsFermat|FactorsInt|FactorsMPQS|FactorsMultFunc|FactorsOfCharacteristicPolynomial|FactorsOfDirectProduct|FactorsOfPowerPlusMinusOne|FactorsPminus1|FactorsPolynomialAlgExt|FactorsPolynomialKant|FactorsPolynomialPari|FactorsPowerCheck|FactorsPplus1|FactorsPresentation|FactorsRho|FactorsSquarefree|FactorsTD|FactorsTDNC|FactorsUsingSingular|FactorsUsingSingularNC|FactorspaceActfun|FaithfulDimension|FaithfulModule|FakeLocalizeRingMacrosForSingular|FakeOne|Falpha|FalseNode|FamElmEqFamRange|FamElmEqFamSource|FamMapFamSourceFamRange|FamRange1EqFamRange2|FamRangeEqFamElm|FamRangeNotEqFamElm|FamSource1EqFamRange2|FamSource1EqFamSource2|FamSource2EqFamRange1|FamSourceEqFamElm|FamSourceNotEqFamElm|FamSourceRgtEqFamsLft|FamiliesOfGeneralMappingsAndRanges|FamiliesOfRows|Family2DimensionalGroup|Family2DimensionalGroupMorphism|Family2DimensionalGroupWithObjects|Family2DimensionalMagma|Family2dAlgebra|Family2dAlgebraMorphism|Family3DimensionalGroup|Family3DimensionalMagma|FamilyForOrdering|FamilyForRewritingSystem|FamilyHigherDimensionalGroup|FamilyHigherDimensionalGroupMorphism|FamilyHigherDimensionalMagma|FamilyObj|FamilyOfFamilies|FamilyOfTypes|FamilyPcgs|FamilyRange|FamilySource|FamilyType|FareySymbol|FareySymbolByData|FastExtSQ|FastImageOfProjection|FastNormalClosure|FengRaoDistance|FengRaoNumber|FermionEZSPTLayers|FermionEZSPTLayersVerbose|FermionEZSPTSpecSeq|FermionSPTLayers|FermionSPTLayersVerbose|FermionSPTSpecSeq|FerretOverloadsEnabled|FetchBrentFactors|FetchFromCache|Feval|Fiber|FiberProduct|FiberProductEmbeddingInDirectSum|FiberProductFunctorial|FiberProductFunctorialWithGivenFiberProducts|FiberProductOp|Fibonacci|FibonacciGroup|Fibre|FibreElement|Field|FieldAutomorphism|FieldByGenerators|FieldByMatrices|FieldByMatricesNC|FieldByMatrixBasis|FieldByMatrixBasisNC|FieldByPolynomial|FieldByPolynomialNC|FieldExtension|FieldOfFractions|FieldOfMatrixGroup|FieldOfMatrixList|FieldOfPolynomial|FieldOfUnitGroup|FieldOverItselfByGenerators|FigureOutAnAlternativeDirectoryForTemporaryFiles|FileDescriptorOfStream|FileFamily|FileNameCharTable|FileString|FileType|Filename|FilenameFunc|FilenameGAP|FilenameOfPolymakeObject|FillWithCharacterAfterDecimalNumber|FilterByFlags|FilterByName|FilterByRoots|FilterSGMLMarkup|Filtered|FilteredByPurity|FilteredChainComplexToFilteredSparseChainComplex|FilteredCubicalComplexToFilteredRegularCWComplex|FilteredOp|FilteredPureCubicalComplexToCubicalComplex|FilteredRegularCWComplex|FilteredSimplicialComplexToFilteredCWComplex|FilteredTensorWithIntegers|FilteredTensorWithIntegersModP|FilteringCharacters|FiltersObj|FiltersType|FiltrationByShortExactSequence|FiltrationBySpectralSequence|FiltrationOfObjectInCollapsedSheetOfTransposedSpectralSequence|FiltrationOfTotalDefect|FiltrationTerm|FiltrationTermOfGraph|FiltrationTermOfPureCubicalComplex|FiltrationTermOfRegularCWComplex|FinCheckQA|FinFieldExt|FinIndexCyclicSubgroupGenerator|FinPowConjCol_CollectWordOrFail|FinPowConjCol_ReducedComm|FinPowConjCol_ReducedForm|FinPowConjCol_ReducedLeftQuotient|FinPowConjCol_ReducedPowerSmallInt|FinPowConjCol_ReducedProduct|FinPowConjCol_ReducedQuotient|FinalStatesOfAutomaton|Finalize|FindAct|FindActionKernel|FindAllMapComponents|FindBag|FindBase|FindBaseC2|FindBasePointCandidates|FindBranchingSubgroup|FindCentraliser@RepnDecomp|FindCentralisingElementOfInvolution|FindDecompositionMatrix|FindDq|FindElement|FindElementOfInfiniteOrder|FindElements|FindElementsOfInfiniteOrder|FindElmOfEvenNormalSubgroup|FindFile|FindFirst1BinaryString|FindGroupRelations|FindHomDbMatrix|FindHomDbPerm|FindHomDbProjective|FindHomMethodsMatrix|FindHomMethodsPerm|FindHomMethodsProjective|FindInvolution|FindInvolutionCentraliser|FindKInGroup|FindKInPGroup|FindKernelDoNothing|FindKernelFastNormalClosure|FindKernelLowerLeftPGroup|FindKernelRandom|FindLayer|FindMatchingLocation|FindMaximals|FindMultiSpelledHelpEntries|FindMultiplicativeIdentity|FindNewReps|FindNextRProjective|FindNextSyzygy|FindNiceElm|FindNiceRowInfinityNorm|FindNiceRowInfinityNormRowOps|FindNiceRowOneNorm|FindNiceRowTwoNorm|FindNormalCSPG|FindNucleus|FindOperationKernel|FindOrthogonalMatrix@SptSet|FindPackageInfosInSubdirectories|FindPivot|FindPosition|FindPowLetterRep|FindPq|FindRegularNormalCSPG|FindRing|FindSemigroupRelations|FindShortGeneratorsOfSubgroup|FindSl2|FindSpecialSolution|FindSq|FindSubSeq|FindSuborbits|FindSubstringPowers|FindTupleInOrbit|FindUniqueModules|FindWindowId|FindWord|FindWordsForLeftTransversal|FindWordsForRightTransversal|Fingerprint|FingerprintAntiFlag|FingerprintDerivedSeries|FingerprintFF|FingerprintHuge|FingerprintLarge|FingerprintMatrixGroup|FingerprintMedium|FingerprintOfCharacterTable|FingerprintOfCharacterTableGlobals|FingerprintOfGapProcess|FingerprintPerm|FingerprintProjPlane|FingerprintSmall|FingerprintTuple|FiningElementStabiliserOp|FiningOrbit|FiningOrbits|FiningOrbitsDomain|FiningSetwiseStabiliser|FiningStabiliser|FiningStabiliserOrb|FiningStabiliserPerm|FiningStabiliserPerm2|FinitaryBinaryGroup|FiniteChainMap|FiniteComplex|FiniteDepthBinaryGroup|FiniteField|FiniteFreeResolution|FiniteFreeResolutionExists|FiniteInfList|FiniteOrderInnerAutomorphisms|FiniteOrderOuterAutomorphisms|FinitePartAsList|FinitePolycyclicCollector_IsConfluent|FiniteRankSchurMultiplier|FiniteRegularLanguageToListOfWords|FiniteStateBinaryGroup|FiniteSubgroupClasses|FiniteSubgroupClassesBySeries|FiniteSubgroupsAreCyclic|FireCode|First|FirstCohomologyDimension|FirstCohomologyPPPPcps|FirstElementsOfNumericalSemigroup|FirstEntrySL|FirstHomologyCoveringCokernels|FirstHomologySimplicialTwoComplex|FirstLift|FirstMorphismOfResolution|FirstNameCharTable|FirstOp|FirstPart|FirstProcess|FirstProcess2|FirstProcessN|FirstQuandleAxiomIsSatisfied|FirstStep|FirstTrueProcess|FirstTrueProcess2|FirstTrueProcessN|FirstWordDifferenceAutomaton|FisherThasWalkerKantorBettenqClan|FisherqClan|FittingClass|FittingFormation|FittingFormationProduct|FittingFreeElementarySeries|FittingFreeLiftSetup|FittingFreeSubgroupSetup|FittingIdeal|FittingLength|FittingProduct|FittingSet|FittingSplitModule|FittingSubgroup|Fix|FixChunkedBody|FixcellPoint|Fixcells|FixcellsCell|FixedAtomicList|FixedPointSubgroupXMod|FixedPoints|FixedPointsByDecom|FixedPointsModZ|FixedPointsOfAffinePartialMappings|FixedPointsOfPartialPerm|FixedPointsOfPartialPermSemigroup|FixedPointsOfTransformationSemigroup|FixedRay|FixedRelatorsOfLpGroup|FixedResidueClasses|FixedStates|FixedStatesOfFRElement|FixedSubspaces|FixesLevel|FixesVertex|FixpointCellNo|FlagOfIncidenceStructure|FlagToStandardFlag|FlagsFamily|FlagsObj|FlagsOfAS|FlagsOfCG|FlagsOfCPS|FlagsOfIncidenceStructureFamily|FlagsOfPS|FlagsType|Flat|FlatBlockMat|FlatKernelOfTransformation|FlattenedBlockMat|FlipBlist|Float|FloatQuotientsList|FlockGQByqClan|Floor|FlowerAutomaton|FlushCaches|FlushOptionsStack|FoldAfterMapLeft|FoldFlowerAutomaton|ForAll|ForAllOp|ForAny|ForAnyOp|ForEveryDegree|ForceQuitGap|ForcedIntegersForPseudoFrobenius|ForcedIntegersForPseudoFrobenius_QV|ForgetMemory|FormByMatrix|FormByPolynomial|FormCommutators|FormFamily|FormatParagraph|Formation|FormationFamily|FormationObj|FormationProduct|FormationType|FormattedString|Forms_C1|Forms_DIFF_2_S|Forms_HERM_CONJ|Forms_PERM_VAR|Forms_QUAD_EQ|Forms_REDUCE2|Forms_REDUCE4|Forms_RESET|Forms_SQRT2|Forms_SUM_OF_SQUARES|Forms_SWR|FornaessSibonyGroup|ForwardOrbit|FourNegacirculantSelfDualCode|FourNegacirculantSelfDualCodeNC|FourthHomotopyGroupOfDoubleSuspensionB|Fp2PcpAbelianGroupHomomorphism|FpAlgebraByGeneralizedCartanMatrix|FpElementNFFunction|FpElmComparisonMethod|FpElmEqualityMethod|FpGModule|FpGModuleDualBasis|FpGModuleHomomorphism|FpGModuleHomomorphismNC|FpGModuleSection|FpG_to_MtxModule|FpGroupCocycle|FpGroupExpTree|FpGroupPcGroup|FpGroupPcGroupSQ|FpGroupPresentation|FpGroupQClass|FpGroupSpaceGroupBBNWZ|FpGroupToRWS|FpGrpMonSmgOfFpGrpMonSmgElement|FpLieAlgebra|FpLieAlgebraByCartanMatrix|FpLieAlgebraEnumeration|FpLieRing|FpMonoidOfElementOfFpMonoid|FpMonoidToRWS|FpOfModules|FpSemigroupOfElementOfFpSemigroup|FpSemigroupToRWS|FpStructureRWS|FpTietzeIsomorphism|FpWeightedAdjacencyMatrix|FpWeightedDigraph|FpWeightedDigraphNC|FpfAutGrps2|FpfAutGrps3|FpfAutGrps4|FpfAutGrpsC|FpfAutGrpsMC|FpfAutomorphismGroups2|FpfAutomorphismGroups3|FpfAutomorphismGroups4|FpfAutomorphismGroupsCyclic|FpfAutomorphismGroupsMaxSize|FpfAutomorphismGroupsMetacyclic|FpfRepresentations2|FpfRepresentations3|FpfRepresentations4|FpfRepresentationsCyclic|FpfRepresentationsMetacyclic|FptoSCAMorphismImageElm|FrExp|Frac|FractionModOne|FrameArray|FramedPureCubicalComplex|FrattExtInfo|FrattiniExtensionCF|FrattiniExtensionMethod|FrattiniExtensions|FrattiniExtensionsOfCode|FrattiniExtensionsOfGroup|FrattiniFactor|FrattiniFactorCandidates|FrattiniFreeBySize|FrattiniFreeBySocle|FrattiniFreeNonNilUpToSize|FrattiniQuotientBase|FrattiniQuotientPGroup|FrattiniSubgroup|FrattiniSubloop|FrattinifactorId|FrattinifactorSize|FreeAbelianGroup|FreeAbelianGroupCons|FreeAlgebra|FreeAlgebraConstructor|FreeAlgebraOfFpAlgebra|FreeAlgebraWithOne|FreeAssociativeAlgebra|FreeAssociativeAlgebraWithOne|FreeBand|FreeBurnsideGroup|FreeEngelGroup|FreeFactors|FreeGResolution|FreeGeneratorsOfFpAlgebra|FreeGeneratorsOfFpGroup|FreeGeneratorsOfFpMonoid|FreeGeneratorsOfFpSemigroup|FreeGeneratorsOfFullPreimage|FreeGeneratorsOfGroup|FreeGeneratorsOfLpGroup|FreeGeneratorsOfWholeGroup|FreeGensAndKernel|FreeGensByBasePcgs|FreeGensByRelationMat|FreeGensByRelsAndOrders|FreeGroup|FreeGroup2FreeMonoid|FreeGroupAutomaton|FreeGroupAutomorphismsGeneratorO|FreeGroupAutomorphismsGeneratorP|FreeGroupAutomorphismsGeneratorQ|FreeGroupAutomorphismsGeneratorR|FreeGroupAutomorphismsGeneratorS|FreeGroupAutomorphismsGeneratorT|FreeGroupAutomorphismsGeneratorU|FreeGroupEndomorphismByImages|FreeGroupExtendedAutomaton|FreeGroupOfFpGroup|FreeGroupOfLpGroup|FreeGroupOfPresentation|FreeGroupOfWholeGroup|FreeInverseSemigroup|FreeLeftModule|FreeLeftModuleWithDegrees|FreeLeftPresentation|FreeLieAlgebra|FreeLieRing|FreeMS2FreeMonoid|FreeMagma|FreeMagmaRing|FreeMagmaWithOne|FreeMonoid|FreeMonoid2FreeGroup|FreeMonoid2FreeMS|FreeMonoidNatHomByGeneratorsNC|FreeMonoidOfFpMonoid|FreeMonoidOfRewritingSystem|FreeNilpotentGroup|FreeNumericalSemigroupsWithFrobeniusNumber|FreeProduct|FreeProductInfo|FreeProductOp|FreeProductWithAmalgamation|FreeProductWithAmalgamationInfo|FreeProductWithAmalgamationOp|FreeRelatorGroup|FreeRelatorHomomorphism|FreeRightModuleWithDegrees|FreeRightPresentation|FreeSemigroup|FreeSemigroupNatHomByGeneratorsNC|FreeSemigroupOfFpSemigroup|FreeSemigroupOfKnuthBendixRewritingSystem|FreeSemigroupOfRewritingSystem|FreeSemigroup_NextWordExp|FreeStructureOfRewritingSystem|FreeXArgumentProcessor|FreeYSequenceGroup|FreeYSequenceGroupKB|FreeZGResolution|FreelyReducedLetterRepWord|FreqsQATrunc|FrobeniusAutomorphism|FrobeniusAutomorphismI|FrobeniusCharacterValue|FrobeniusForm|FrobeniusGroup|FrobeniusLinearFunctional|FrobeniusNumber|FrobeniusNumberOfIdealOfNumericalSemigroup|FrobeniusNumberOfNumericalSemigroup|FroidurePinExtendedAlg|FroidurePinMemFnRec|FroidurePinSimpleAlg|FromAdd2Mul|FromAdd2Skewbrace|FromAtomicComObj|FromAtomicList|FromAtomicRecord|FromEndMToHomMM|FromHomMMToEndM|FromIdentityToDoubleStarHomomorphism|FromMul2Add|FromMul2Skewbrace|FromSkewbrace2Add|FromSkewbrace2Mul|FromTheLeftCollector|FromTheLeftCollectorByRelations|FromTheLeftCollectorFamily|FromTheLeftCollector_CompleteConjugate|FromTheLeftCollector_CompletePowers|FromTheLeftCollector_Inverse|FromTheLeftCollector_SetCommute|FromTheLeftCollector_SetNilpotentCommute|FromTheLeftCollector_SetWeights|FromTheLeftCollector_Solution|Front3DimensionalGroup|FruitCake|FullBinaryGroup|FullBooleanMatMonoid|FullDixonBound|FullFilenameOfPolymakeObject|FullMatrixAlgebra|FullMatrixAlgebraCentraliser|FullMatrixAlgebraCentralizer|FullMatrixFLMLOR|FullMatrixLieAlgebra|FullMatrixLieFLMLOR|FullMatrixModule|FullMatrixMonoid|FullMatrixSpace|FullPBRMonoid|FullRowModule|FullRowSpace|FullSCFilter|FullSCGroup|FullSCMonoid|FullSCSemigroup|FullSCVertex|FullSparseRowSpace|FullSubcategoryByMembershipFunction|FullSubdomain|FullSubgroupoid|FullSubobject|FullSubquiver|FullTransformationMonoid|FullTransformationSemigroup|FullTrivialSubgroupoid|FullTropicalMaxPlusMonoid|FullTropicalMinPlusMonoid|FullView|FullViewWithEverythingComputed|FullyDivideColumnTrafo|FullyDivideMatrixTrafo|FullyDividePairTrafo|FullyDividePairTrafoInflated|FuncToHom@RepnDecomp|FuncsOfSmallSemisInEnum|FuncsOfSmallSemisInIter|FunctionAction|FunctionCalledBeforeInstallation|FunctionField|FunctionInfList|FunctionWithCache|FunctionsCompatibleWithNormalSubgroupChain|FunctionsFamily|FunctorCanonicalizeZeroMorphisms|FunctorCanonicalizeZeroObjects|FunctorDoubleDualLeft|FunctorDoubleDualRight|FunctorDualLeft|FunctorDualRight|FunctorFromCospansToSpans|FunctorFromCospansToThreeArrows|FunctorFromSpansToCospans|FunctorFromSpansToThreeArrows|FunctorFromTerminalCategory|FunctorFromThreeArrowsToCospans|FunctorFromThreeArrowsToSpans|FunctorGetRidOfZeroGeneratorsLeft|FunctorGetRidOfZeroGeneratorsRight|FunctorLessGeneratorsLeft|FunctorLessGeneratorsRight|FunctorMor|FunctorMorphismOperation|FunctorObj|FunctorObjectOperation|FunctorOfGenesis|FunctorStandardModuleLeft|FunctorStandardModuleRight|Functor_ConstantStrand_ForGradedModules|Functor_DirectSum_for_fp_modules|Functor_DirectSum_for_graded_modules|Functor_Dualize|Functor_Ext_for_fp_graded_modules|Functor_Ext_for_fp_modules|Functor_GeneralizedLinearStrand_ForGradedModules|Functor_GradedExt_for_fp_graded_modules|Functor_GradedHom_ForGradedModules|Functor_GuessModuleOfGlobalSectionsFromATateMap_ForGradedMaps|Functor_HomHom_for_fp_modules|Functor_Hom_for_fp_graded_modules|Functor_Hom_for_fp_modules|Functor_HomogeneousPartOfDegreeZeroOverCoefficientsRing_ForGradedModules|Functor_HomogeneousPartOverCoefficientsRing_ForGradedModules|Functor_KoszulLeftAdjoint_ForGradedModules|Functor_KoszulRightAdjoint_ForGradedModules|Functor_LHomHom_for_fp_modules|Functor_LTensorProduct_for_fp_modules|Functor_LinearFreeComplexOverExteriorAlgebraToModule_ForGradedModules|Functor_LinearPart_ForGradedModules|Functor_LinearStrandOfTateResolution_ForGradedModules|Functor_LinearStrand_ForGradedModules|Functor_ModuleOfGlobalSectionsTruncatedAtCertainDegree_ForGradedModules|Functor_ModuleOfGlobalSections_ForGradedModules|Functor_ProjectionToDirectSummandOfGradedFreeModuleGeneratedByACertainDegree_ForGradedModules|Functor_RGradedHom_for_fp_graded_modules|Functor_RHom_for_fp_modules|Functor_RepresentationMapOfRingElement_ForGradedModules|Functor_RepresentationObjectOfKoszulId_ForGradedModules|Functor_SubmoduleGeneratedByHomogeneousPart_ForGradedModules|Functor_TateResolution_ForGradedModules|Functor_TensorProduct_ForGradedModules|Functor_TensorProduct_for_fp_modules|Functor_Tor_for_fp_graded_modules|Functor_Tor_for_fp_modules|Functor_TorsionFreeFactor|Functor_TorsionObject|Functor_TruncatedModule_ForGradedModules|Functor_TruncatedSubmoduleRecursiveEmbed_ForGradedModules|Functor_TruncatedSubmodule_ForGradedModules|FunctorsOfGenesis|FundamentalDomainBieberbachGroup|FundamentalDomainBieberbachGroupNC|FundamentalDomainFromGeneralPointAndOrbitPartGeometric|FundamentalDomainStandardSpaceGroup|FundamentalGaps|FundamentalGapsOfNumericalSemigroup|FundamentalGroup|FundamentalGroupOfQuotient|FundamentalGroupOfRegularCWComplex|FundamentalGroupOfRegularCWMap|FundamentalGroupSimplicialTwoComplex|FundamentalGroupWithPathReps|FundamentalModules|FundamentalMultiplesOfStiefelWhitneyClasses|FunnyProductObj|FunnyProductObjsFamily|FunnyProductObjsType|FurtherForcedElementsForPseudoFrobenius|FurtherForcedGapsForPseudoFrobenius|FuseSymbolsAut|FusionCharTableTom|FusionConjugacyClasses|FusionConjugacyClassesOp|FusionToTom|FusionsAllowedByRestrictions|FusionsOfLibTom|FusionsToLibTom|FusionsTom|G|G2fining|GABOW_SCC|GALOIS|GALOIS_CYC|GALOIS_FIELDS|GAMMA_MACFLOAT|GAP3CharacterTableData|GAP3CharacterTableScan|GAP3CharacterTableString|GAP3_CATALOGUE_ID_GROUP|GAPChars|GAPDOCDTDINFO|GAPDOCDTDINFOELS|GAPDoc2HTML|GAPDoc2HTMLContent|GAPDoc2HTMLPrintHTMLFiles|GAPDoc2HTMLProcs|GAPDoc2LaTeX|GAPDoc2LaTeXContent|GAPDoc2LaTeXProcs|GAPDoc2Text|GAPDoc2TextContent|GAPDoc2TextPrintTextFiles|GAPDoc2TextProcs|GAPDocAddBibData|GAPDocManualLab|GAPDocManualLabFromSixFile|GAPDocTextTheme|GAPDocTexts|GAPGBASIS|GAPHomalgMacros|GAPInfo|GAPInputPPPPcpGroups|GAPInputPPPPcpGroupsAppend|GAPKB_REW|GAPTCENUM|GAPTableOfMagmaFile|GAP_ARCHITECTURE|GAP_CRC|GAP_EXIT_CODE|GAP_SHA256_FINAL|GAP_SHA256_HMAC|GAP_SHA256_INIT|GAP_SHA256_State_Type|GAP_SHA256_UPDATE|GASMAN|GASMAN_LIMITS|GASMAN_MESSAGE_STATUS|GASMAN_STATS|GBASIS|GBNP|GBNPGroebnerBasis|GBNPGroebnerBasisNC|GBasisFixOrderingArgument|GCD_COEFFS|GCD_INT|GCD_UPOLY|GChainComplex|GDerivedSubgroup|GENERAL_MAPPING_REGION|GENERATE_BLUEPRINT_MATS|GENSS|GENSS_ComputeFoundElm|GENSS_CopyDefaultOptions|GENSS_CosetTableFromGensAndRelsInit|GENSS_CreateSchreierGenerator|GENSS_CreateStabChainRecord|GENSS_DeriveCandidatesFromStabChain|GENSS_DoToddCoxeter|GENSS_FindElmMappingBaseSubsetIntoSet|GENSS_FindElmMappingBaseSubsetIntoSetPartitionBacktrack|GENSS_FindGensStabilizer|GENSS_FindShortGensStabilizer|GENSS_FindShortGensStabilizerOld|GENSS_FindShortOrbit|GENSS_FindVectorsWithShortOrbit|GENSS_GroupIsDoneIterator|GENSS_GroupNextIterator|GENSS_GroupShallowCopy|GENSS_HACK|GENSS_ImageElm|GENSS_IsOneProjective|GENSS_MakeIterRecord|GENSS_MapBaseImage|GENSS_NextBasePoint|GENSS_OpFunctionMaker|GENSS_PreImagesRepresentative|GENSS_Prod|GENSS_RandomElementFromAbove|GENSS_SETSIZELIMITPARTITIONS|GENSS_StabilizerChainInner|GENSS_TCAddRelators|GENSS_ToddCoxeterExpandLimit|GENSS_TrivialOp|GENSS_VIEWDEPTH|GEN_Q_P|GETTER_FLAGS|GETTER_FUNCTION|GET_ACE_REC_FIELD|GET_ATOMIC_RECORD|GET_CAP_PREFUNCTION_PROJECTION_IN_FACTOR_OF_BINARY_DIRECT_PRODUCT_TO_PROJECTION_IN_FACTOR_OF_DIRECT_PRODUCT|GET_DECLARATION_LOCATIONS|GET_FILENAME_CACHE|GET_FROM_SORTED_CACHE|GET_METHOD_CACHE|GET_NAMESPACE|GET_OPER_FLAGS|GET_RANDOM_SEED_COUNTER|GET_TIMER_FROM_ReproducibleBehaviour|GET_TNAM_FROM_TNUM|GET_TRACED_INTERNAL_METHODS_COUNTS|GF|GF2IdentityMatrix|GF2One|GF2Zero|GF2_AHEAD_OF_8BIT_RANK|GFCACHE|GFQX_RCWAMAPPING_FAMILIES|GF_Q_X_RESIDUE_CLASS_UNIONS_FAMILIES|GFqxResidueClassUnionsFamily|GIVE_VARIABLE_NAMES_WITH_POSITIONS_RECURSIVE|GInverses|GKB_MakeKnuthBendixRewritingSystemConfluent|GL|GLDegree|GLM|GLMatrix|GLOBAL_FUNCTION_NAMES|GLUnderlyingField|GLZ2|GLZ3|GLZ4|GMinusOneBasis|GModuleAsCatOneGroup|GModuleAsGOuterGroup|GModuleByGroup|GModuleByMats|GO|GOdesargues|GOrbitPoint|GOuterGroup|GOuterGroupHomomorphism|GOuterHomomorphismTester|GP2NP|GP2NPList|GPD_CONSTRUCTORS|GPartitions|GPartitionsEasy|GPartitionsGreatestEQ|GPartitionsGreatestEQHelper|GPartitionsGreatestLE|GPartitionsGreatestLEEasy|GPartitionsNrParts|GPartitionsNrPartsHelper|GQuotients|GRAPE_BLISS_EXE|GRAPE_CliqueCovering|GRAPE_DREADNAUT_EXE|GRAPE_DREADNAUT_INPUT_USE_STRING|GRAPE_Exec|GRAPE_Graph|GRAPE_IntransitiveGroupGenerators|GRAPE_MinimumCliqueCovering|GRAPE_NAUTY|GRAPE_NRANGENS|GRAPE_NumbersToSets|GRAPE_OrbitNumbers|GRAPE_RANDOM|GRAPE_RepWord|GRAPE_nautytmpdir|GRIGP_IMAGE@FR|GRIG_CON@FR|GROUPISONE@FR|GROUPOID_MAPPING_CONSTRUCTORS|GROUP_BY_PCGS_FINITE_ORDERS|GROUP_PATH_NAME|GRPLIB_DicyclicParameterCheck|GRSErrorLocatorCoeffs|GRSErrorLocatorPolynomials|GRSInterpolatingPolynomial|GRSLocatorMat|GS_SIZE|GSpdesargues|GTC_CosetTableFromGensAndRels|GTW10_1|GTW10_2|GTW11_1|GTW12_1|GTW12_2|GTW12_3|GTW12_4|GTW12_5|GTW13_1|GTW14_1|GTW14_2|GTW15_1|GTW16_1|GTW16_10|GTW16_11|GTW16_12|GTW16_13|GTW16_14|GTW16_2|GTW16_3|GTW16_4|GTW16_5|GTW16_6|GTW16_7|GTW16_8|GTW16_9|GTW17_1|GTW18_1|GTW18_2|GTW18_3|GTW18_4|GTW18_5|GTW19_1|GTW20_1|GTW20_2|GTW20_3|GTW20_4|GTW20_5|GTW21_1|GTW21_2|GTW22_1|GTW22_2|GTW23_1|GTW24_1|GTW24_10|GTW24_11|GTW24_12|GTW24_13|GTW24_14|GTW24_15|GTW24_2|GTW24_3|GTW24_4|GTW24_5|GTW24_6|GTW24_7|GTW24_8|GTW24_9|GTW25_1|GTW25_2|GTW26_1|GTW26_2|GTW27_1|GTW27_2|GTW27_3|GTW27_4|GTW27_5|GTW28_1|GTW28_2|GTW28_3|GTW28_4|GTW29_1|GTW2_1|GTW30_1|GTW30_2|GTW30_3|GTW30_4|GTW31_1|GTW32_1|GTW32_10|GTW32_11|GTW32_12|GTW32_13|GTW32_14|GTW32_15|GTW32_16|GTW32_17|GTW32_18|GTW32_19|GTW32_2|GTW32_20|GTW32_21|GTW32_22|GTW32_23|GTW32_24|GTW32_25|GTW32_26|GTW32_27|GTW32_28|GTW32_29|GTW32_3|GTW32_30|GTW32_31|GTW32_32|GTW32_33|GTW32_34|GTW32_35|GTW32_36|GTW32_37|GTW32_38|GTW32_39|GTW32_4|GTW32_40|GTW32_41|GTW32_42|GTW32_43|GTW32_44|GTW32_45|GTW32_46|GTW32_47|GTW32_48|GTW32_49|GTW32_5|GTW32_50|GTW32_51|GTW32_6|GTW32_7|GTW32_8|GTW32_9|GTW3_1|GTW4_1|GTW4_2|GTW5_1|GTW6_1|GTW6_2|GTW7_1|GTW8_1|GTW8_2|GTW8_3|GTW8_4|GTW8_5|GTW9_1|GTW9_2|GU|GUARANA|GUAVA_BOUNDS_TABLE|GUAVA_REF_LIST|GUAVA_TEMP_VAR|GUESSMATRIX@FR|GUPTASIDKIFRDATA@FR|GUPTASIDKIGROUPIMAGE@FR|GUdesargues|GabidulinCode|GalToInt|GallagherRepsn|GallianAutoDn|GallianCstruc|GallianCyclic|GallianHomoDn|GallianIntror2|GallianOrderFrequency|GallianUlist|GaloisConjugates|GaloisCyc|GaloisDiffResolvent|GaloisField|GaloisGroup|GaloisGroupOnRoots|GaloisMat|GaloisPartnersOfIrreducibles|GaloisRepsOfCharacters|GaloisSetResolvent|GaloisStabiliser|GaloisStabilizer|GaloisType|Gamma|GammaL|GammaO|GammaOminus|GammaOplus|GammaPQGroup|GammaPQMachine|GammaSp|GammaSubgroupInSL3Z|GammaU|Gammas|Gap3CatalogueGroup|Gap3CatalogueIdGroup|GapAut|GapExitCode|GapFroidurePin|GapGen|GapInputPcGroup|GapInputPcpGroup|GapInputSCTable|GapInterface|GapLibToc2Gap|GapSumAut|GapToJsonStream|GapToJsonString|Gaps|GapsOfNumericalSemigroup|GasmanLimits|GasmanMessageStatus|GasmanStatistics|GaussCodeKnot|GaussCodeOfPureCubicalKnot|GaussNumber|GaussianBinomial|GaussianCoefficient|GaussianFactorial|GaussianIntegers|GaussianRationals|Gcd|GcdCoeffs|GcdInt|GcdOp|GcdRepresentation|GcdRepresentationOp|GcdUsingSingular|Gcd_UsingCayleyDeterminant|Gcdex|GcdexIntLLL|GearGraph|GearGraphCons|GenConjTuple|GenExpList|GenFHashFunction|GenWeddDecomp|General2DimensionalMappingFamily|GeneralHigherDimensionalMappingFamily|GeneralLinearCombination|GeneralLinearGroup|GeneralLinearGroupCons|GeneralLinearMonoid|GeneralLinearRank|GeneralLowerBoundCoveringRadius|GeneralMappingByElements|GeneralMappingWithObjectsFamily|GeneralMappingsFamily|GeneralMultiplier|GeneralOrthogonalGroup|GeneralOrthogonalGroupCons|GeneralRestrictedMapping|GeneralSemilinearGroup|GeneralSemilinearGroupCons|GeneralStepClEANS|GeneralSymplecticGroup|GeneralUnitaryGroup|GeneralUnitaryGroupCons|GeneralUpperBoundCoveringRadius|GeneralisedEigenspaces|GeneralisedEigenvalues|GeneralisedPetersenGraph|GeneralisedPetersenGraphCons|GeneralisedPolygonByBlocks|GeneralisedPolygonByElements|GeneralisedPolygonByIncidenceMatrix|GeneralisedQuaternionGenerators|GeneralisedQuaternionGroup|GeneralizedClassTransposition|GeneralizedCodeNorm|GeneralizedCoimageProjection|GeneralizedCokernelProjection|GeneralizedComposedMorphism|GeneralizedCoproductMorphism|GeneralizedEigenspaces|GeneralizedEigenvalues|GeneralizedEmbeddingsInTotalDefects|GeneralizedEmbeddingsInTotalObjects|GeneralizedFabrykowskiGuptaLpGroup|GeneralizedFareySequence|GeneralizedGuptaSidkiGroups|GeneralizedImageEmbedding|GeneralizedInverse|GeneralizedInverseByCospan|GeneralizedInverseBySpan|GeneralizedInverseByThreeArrows|GeneralizedKernelEmbedding|GeneralizedLinearStrand|GeneralizedMorphism|GeneralizedMorphismByCospan|GeneralizedMorphismByCospanWithSourceAid|GeneralizedMorphismByCospansObject|GeneralizedMorphismBySpan|GeneralizedMorphismBySpanWithRangeAid|GeneralizedMorphismBySpansObject|GeneralizedMorphismByThreeArrows|GeneralizedMorphismByThreeArrowsObject|GeneralizedMorphismByThreeArrowsWithRangeAid|GeneralizedMorphismByThreeArrowsWithSourceAid|GeneralizedMorphismCategory|GeneralizedMorphismCategoryByCospans|GeneralizedMorphismCategoryBySpans|GeneralizedMorphismCategoryByThreeArrows|GeneralizedMorphismFromFactorToSubobject|GeneralizedMorphismFromFactorToSubobjectByCospan|GeneralizedMorphismFromFactorToSubobjectBySpan|GeneralizedMorphismFromFactorToSubobjectByThreeArrows|GeneralizedMorphismObject|GeneralizedMorphismWithRangeAid|GeneralizedMorphismWithSourceAid|GeneralizedOrbitalGraphs|GeneralizedPcgs|GeneralizedProductMorphism|GeneralizedReedMullerCode|GeneralizedReedSolomonCode|GeneralizedReedSolomonDecoder|GeneralizedReedSolomonDecoderGao|GeneralizedReedSolomonListDecoder|GeneralizedSrivastavaCode|GenerateAllBlocks@RepnDecomp|GenerateMinData2|GenerateRandomTuples|GenerateSameColumnModule|GenerateSameRowModule|GeneratingAutomatonList|GeneratingAutomorphisms|GeneratingCat1Groups|GeneratingCongruencesOfLattice|GeneratingElements|GeneratingMCOrbits|GeneratingMCOrbitsCore|GeneratingPairsOfAnyCongruence|GeneratingPairsOfLeftMagmaCongruence|GeneratingPairsOfLeftSemigroupCongruence|GeneratingPairsOfMagmaCongruence|GeneratingPairsOfRightMagmaCongruence|GeneratingPairsOfRightSemigroupCongruence|GeneratingPairsOfSemigroupCongruence|GeneratingRecurList|GeneratingSetOfMultiplier|GeneratingSetWithNucleus|GeneratingSetWithNucleusAutom|GenerationOrder|GenerationPairs|GenerationTree|GeneratorActionOnLevel|GeneratorActionOnVertex|GeneratorIndex|GeneratorLattice|GeneratorLatticeTF|GeneratorMat|GeneratorMatCode|GeneratorMatCodeNC|GeneratorMatrixFromPoly|GeneratorNumberOfQuotient|GeneratorPol|GeneratorPolCode|GeneratorSyllable|GeneratorTranslationAugmentedCosetTable|Generators|GeneratorsAndInverses|GeneratorsBasePcgs|GeneratorsByFareySymbol|GeneratorsCenterPGroup|GeneratorsCentrePGroup|GeneratorsImages|GeneratorsKahlerDifferentials|GeneratorsListTom|GeneratorsModule_Global|GeneratorsOfAdditiveGroup|GeneratorsOfAdditiveMagma|GeneratorsOfAdditiveMagmaWithInverses|GeneratorsOfAdditiveMagmaWithZero|GeneratorsOfAffineSemigroup|GeneratorsOfAlgebra|GeneratorsOfAlgebraModule|GeneratorsOfAlgebraWithOne|GeneratorsOfCayleyDigraph|GeneratorsOfCentralizerOfPcp|GeneratorsOfCongruenceLattice|GeneratorsOfDivisionRing|GeneratorsOfDomain|GeneratorsOfEndomorphismMonoid|GeneratorsOfEndomorphismMonoidAttr|GeneratorsOfEquivalenceRelationPartition|GeneratorsOfExtASet|GeneratorsOfExtLSet|GeneratorsOfExtRSet|GeneratorsOfExtUSet|GeneratorsOfFLMLOR|GeneratorsOfFLMLORWithOne|GeneratorsOfFRMachine|GeneratorsOfField|GeneratorsOfFpGModule|GeneratorsOfGroup|GeneratorsOfGroupoid|GeneratorsOfHomogeneousPart|GeneratorsOfIdeal|GeneratorsOfIdealOfAffineSemigroup|GeneratorsOfIdealOfNumericalSemigroup|GeneratorsOfIdealOfNumericalSemigroupNC|GeneratorsOfIntervallInCongruenceLattice|GeneratorsOfInvariantRing|GeneratorsOfInverseMonoid|GeneratorsOfInverseSemigroup|GeneratorsOfKernelCongruence|GeneratorsOfKernelOfRingMap|GeneratorsOfLayer|GeneratorsOfLeftIdeal|GeneratorsOfLeftMagmaIdeal|GeneratorsOfLeftModule|GeneratorsOfLeftOperatorAdditiveGroup|GeneratorsOfLeftOperatorRing|GeneratorsOfLeftOperatorRingWithOne|GeneratorsOfLeftVectorSpace|GeneratorsOfLoop|GeneratorsOfMagma|GeneratorsOfMagmaIdeal|GeneratorsOfMagmaWithInverses|GeneratorsOfMagmaWithObjects|GeneratorsOfMagmaWithOne|GeneratorsOfMaximalLeftIdeal|GeneratorsOfMaximalRightIdeal|GeneratorsOfModule|GeneratorsOfModuleOfResolution_LargeGroupRep|GeneratorsOfModulePoly|GeneratorsOfMonoid|GeneratorsOfMonoidWithObjects|GeneratorsOfMtxModule|GeneratorsOfMunnSemigroup|GeneratorsOfNearAdditiveGroup|GeneratorsOfNearAdditiveMagma|GeneratorsOfNearAdditiveMagmaWithInverses|GeneratorsOfNearAdditiveMagmaWithZero|GeneratorsOfNearRing|GeneratorsOfNearRingIdeal|GeneratorsOfNearRingLeftIdeal|GeneratorsOfNearRingRightIdeal|GeneratorsOfNumericalSemigroup|GeneratorsOfOrderTwo|GeneratorsOfPcp|GeneratorsOfPresentation|GeneratorsOfPresentationIdeal|GeneratorsOfPrimeIdeal|GeneratorsOfQuasigroup|GeneratorsOfQuiver|GeneratorsOfRadical|GeneratorsOfReesMatrixSemigroup|GeneratorsOfReesMatrixSemigroupNC|GeneratorsOfReesZeroMatrixSemigroup|GeneratorsOfReesZeroMatrixSemigroupNC|GeneratorsOfRightIdeal|GeneratorsOfRightMagmaIdeal|GeneratorsOfRightModule|GeneratorsOfRightOperatorAdditiveGroup|GeneratorsOfRing|GeneratorsOfRingForIdeal|GeneratorsOfRingWithOne|GeneratorsOfRws|GeneratorsOfSemigroup|GeneratorsOfSemigroupIdeal|GeneratorsOfSemigroupWithObjects|GeneratorsOfSemiring|GeneratorsOfSemiringWithOne|GeneratorsOfSemiringWithOneAndZero|GeneratorsOfSemiringWithZero|GeneratorsOfStzPresentation|GeneratorsOfTwoSidedIdeal|GeneratorsOfVectorSpace|GeneratorsOverIntersection|GeneratorsPrimeResidues|GeneratorsProjective|GeneratorsSmallest|GeneratorsSmallestStab|GeneratorsSubgroupsTom|GeneratorsTimesArrowsOnRight|GeneratorsToListRepresentation|GeneratorsWithMemory|GenericDeterminantMat|GenericFactorizationGroup|GenericFindActionKernel|GenericModule|GenericSNF|Genesis|Genus|GenusCurve|GenusOfGoodSemigroup|GenusOfNumericalSemigroup|GeodesicTreeOfInverseAutomaton|GeodesicTreeOfInverseAutomatonWithInformation|GeodesicsGraph|GeometriesFamily|GeometryFromLabelledGraph|GeometryMorphismByFunction|GeometryOfAbsolutePoints|GeometryOfDiagram|GeometryOfRank2Residue|GermData|GermValue|Germs|GetACEArgs|GetACEOptions|GetAllowedHeads|GetBool|GetBottomLVars|GetBraidRelations|GetByWgetOrCurl|GetChars|GetCleanRowsPositions|GetColumnIndependentUnitPositions|GetCommutatorNC|GetCompositionTreeNode|GetConjugate|GetConjugateNC|GetContainerForWeakPointersOfFunctorCachedValue|GetCurrentLVars|GetCyclotomicsLimit|GetDefinitionNC|GetDegreesOfGenerators|GetDim7FileByNumber|GetETag|GetElement|GetElmOrd|GetElmPpd|GetEnt|GetEntry|GetEntryMult|GetEntryPow|GetEntryTable|GetEntryTableSparse|GetExponents|GetFullWord|GetFunctorObjCachedValue|GetFusionMap|GetGenerators|GetHashEntry|GetHashEntryAtLastIndex|GetHelpDataRef|GetImage|GetIndependentUnitPositions|GetIndex10|GetIndex2|GetIndex3|GetIndex4|GetIndex5|GetIndex6|GetIndex7|GetIndex9|GetInformationFromRecog|GetInput|GetLenFrom8Bytes|GetListListOfHomalgMatrixAsString|GetListListOfStringsOfHomalgMatrix|GetListListOfStringsOfMatrix|GetListOfHomalgMatrixAsString|GetListOfMatrixAsString|GetMatrixPPowerPolySchurExt|GetMonic|GetMonicUptoUnit|GetMorphismAid|GetNaturalHomomorphismsPool|GetNextObject|GetNextTagObject|GetNodeByName|GetObjLength|GetObject|GetOption|GetPackageNameForPrefix|GetPackageNameForPrefix_LIB|GetPackageURLs|GetParentCC@RepnDecomp|GetPcGroupPPowerPoly|GetPcpGroupPPowerPoly|GetPerm|GetPols|GetPower|GetPowerNC|GetRecursionDepth|GetRelAsWord|GetReps1|GetReps10|GetReps11|GetReps1Slow|GetReps2|GetReps3|GetReps4|GetReps5|GetReps6|GetReps7|GetReps8|GetReps9|GetRidOfObsoleteColumns|GetRidOfObsoleteRelations|GetRidOfObsoleteRows|GetRidOfRowsAndColumnsWithUnits|GetRidOfZeroGenerators|GetRowIndependentUnitPositions|GetSTag|GetServiceDescription|GetSignature|GetSparseListOfHomalgMatrixAsString|GetSubCC@RepnDecomp|GetTextXMLTree|GetTimeOfDay|GetTorsionPowerSubcomplex|GetTorsionSubcomplex|GetTraceInternalMethodsCounts|GetTransientCD|GetUnitPosition|GetWithDefault|GetWord|Getfprint|Girth|GirthEdge|GiveNumbersNIndeterminates|GlasbyCover|GlasbyIntersection|GlasbyShift|GlasbyStabilizer|GlobalCharacterDescent|GlobalDimension|GlobalDimensionOfAlgebra|GlobalMersenneTwister|GlobalParameters|GlobalPartitionOfClasses|GlobalQuiverCount|GlobalRandomSource|GlobalSchurIndexFromLocalIndices|GlobalSplittingOfCyclotomicAlgebra|GlobalToSRGParameters|GluckTaylorInvariant|GluingOfAffineSemigroups|GoodGeneratingSystemOfGoodIdeal|GoodGeneratorsIdealGS|GoodIdeal|GoodIdealType|GoodNodeLatticePath|GoodNodeLatticePathOp|GoodNodeLatticePaths|GoodNodeLatticePathsOp|GoodNodeSequence|GoodNodeSequenceOp|GoodNodeSequences|GoodNodeSequencesOp|GoodNodes|GoodNodesOp|GoodSemigroup|GoodSemigroupByMaximalElements|GoodSemigroupBySmallElements|GoodSemigroupsType|GoodTruncation|GoodTruncationAbove|GoodTruncationBelow|GoppaCode|GoppaCodeClassical|GorensteinDimension|GorensteinDimensionOfAlgebra|GossipMonoid|GpAxioms|GpByNiceMonomorphism|GpCheckMult|GpGenMult|GpWA|Gpword2MSword|GrabFactors|Grade|GradeIdeal|GradeIdealOnModule|GradeList|Grade_UsingInternalExtForObjects|Grade_UsingKoszulCocomplex|GradedAlgebraPresentation|GradedAlgebraPresentationFamily|GradedAlgebraPresentationNC|GradedAlgebraPresentationType|GradedExt|GradedHom|GradedLambdaHT|GradedLambdaOrb|GradedLambdaOrbs|GradedLeftIdealOfMaximalMinors|GradedLeftIdealOfMinors|GradedLeftSubmodule|GradedMap|GradedModule|GradedRhoHT|GradedRhoOrb|GradedRhoOrbs|GradedRightIdealOfMaximalMinors|GradedRightIdealOfMinors|GradedRightSubmodule|GradedRing|GradedRingElement|GradedRingMacrosForMAGMA|GradedRingMacrosForMacaulay2|GradedRingMacrosForMaple|GradedRingMacrosForOscar|GradedRingMacrosForSingular|GradedRingTableForMAGMATools|GradedRingTableForMacaulay2Tools|GradedRingTableForMapleHomalgTools|GradedRingTableForOscarTools|GradedRingTableForSingularTools|GradedTorsionFreeFactor|GradedVersionOfMorphismAid|GradedZeroMap|Grades|Grading|GraeffePolynomial|GrahamBlocks|GramMatrix|GramMatrixByPolynomialForHermitianForm|GramianOfAverageScalarProductFromFiniteMatrixGroup|Graph|Graph6String|GraphAssociatedToElementInNumericalSemigroup|GraphClasses|GraphDisplay|GraphImage|GraphInverseSemigroup|GraphIsomorphism|GraphIsomorphismClassRepresentatives|GraphOfChains|GraphOfGraphInverseSemigroup|GraphOfGroupoids|GraphOfGroupoidsFamily|GraphOfGroupoidsGroupoid|GraphOfGroupoidsNC|GraphOfGroupoidsOfWord|GraphOfGroupoidsType|GraphOfGroupoidsWord|GraphOfGroupoidsWordNC|GraphOfGroups|GraphOfGroupsDisplay|GraphOfGroupsNC|GraphOfGroupsOfWord|GraphOfGroupsRewritingSystem|GraphOfGroupsTest|GraphOfGroupsWord|GraphOfGroupsWordNC|GraphOfMapping|GraphOfNormalWords|GraphOfRegularCWComplex|GraphOfResolutions|GraphOfResolutionsDisplay|GraphOfResolutionsTest|GraphOfResolutionsToGroups|GraphOfSimplicialComplex|GraphStronglyConnectedComponents|GraphToAut|GraphicIdealLattice|GraphicSheet|GrassmannCoordinates|GrassmannMap|GrassmannVariety|GraverBasis|GrayMat|GreaseCalibration|GreaseMat|GreaterThan|GreaterThanOrEqual|GreedyCode|GreensDClassOfElement|GreensDClassOfElementNC|GreensDClasses|GreensDRelation|GreensHClassOfElement|GreensHClassOfElementNC|GreensHClasses|GreensHRelation|GreensJClassOfElement|GreensJClassOfElementNC|GreensJClasses|GreensJRelation|GreensLClassOfElement|GreensLClassOfElementNC|GreensLClasses|GreensLRelation|GreensRClassOfElement|GreensRClassOfElementNC|GreensRClasses|GreensRRelation|GrepPqExamples|GridGraph|GrigorchukGroup|GrigorchukGroups|GrigorchukLieAlgebra|GrigorchukMachine|GrigorchukMachines|GrigorchukOverGroup|GrigorchukThinnedAlgebra|GrigorchukTwistedTwin|Grobner|GrobnerBasis|GroebnerBasis|GroebnerBasisFunction|GroebnerBasisNC|GroebnerBasisOfIdeal|GroebnerBasisOfLeftIdeal|GroebnerBasisOfRightIdeal|GrothendieckBicomplex|GrothendieckGroup|GrothendieckSpectralSequence|Group|GroupAlgebraAsFpGModule|GroupBases|GroupByGenerators|GroupByMultiplicationTable|GroupByNiceMonomorphism|GroupByPcgs|GroupByPrimeResidues|GroupByQuotientSystem|GroupByResidueClasses|GroupByRws|GroupByRwsNC|GroupClass|GroupCohomology|GroupElementFromPosition|GroupElementRepOfNearRingElement|GroupEnumeratorByClosure|GroupExtEquations|GroupForGroupInfo|GroupForTom|GroupGeneralMappingByGroupElement|GroupGeneralMappingByImages|GroupGeneralMappingByImagesNC|GroupGeneralMappingByImages_for_pcp|GroupGroupoid|GroupGroupoidElement|GroupGroupoidGroup|GroupHClass|GroupHClassOfGreensDClass|GroupHomByFuncWithData|GroupHomology|GroupHomologyOfCommutativeDiagram|GroupHomomorphismByFunction|GroupHomomorphismByImages|GroupHomomorphismByImagesNC|GroupHomomorphismByImagesNCStabilizerChain|GroupHomomorphismByMatrix|GroupHomomorphismToMatrix|GroupInfo|GroupInfoForCharacterTable|GroupIsomorphismRepresentatives|GroupIteratorByStabilizerChain|GroupKernelOfNearRingWithOne|GroupList|GroupList2PermList|GroupMethodByNiceMonomorphism|GroupMethodByNiceMonomorphismCollColl|GroupMethodByNiceMonomorphismCollElm|GroupMethodByNiceMonomorphismCollOther|GroupName|GroupNucleus|GroupOfAutomFamily|GroupOfCayleyDigraph|GroupOfHomologies|GroupOfInnerAutomorphismSpecial|GroupOfPcgs|GroupOfPcp|GroupOfResolution|GroupOfSelfSimFamily|GroupOfUnits|GroupOnSubgroupsOrbit|GroupReduct|GroupRelatorSequenceLessThan|GroupRelatorsOfPresentation|GroupRing|GroupRingOfResolution|GroupSeriesMethodByNiceMonomorphism|GroupSeriesMethodByNiceMonomorphismCollColl|GroupSeriesMethodByNiceMonomorphismCollElm|GroupSeriesMethodByNiceMonomorphismCollOther|GroupStabChain|GroupString|GroupSumBSGS|GroupSumWithCentralizer@RepnDecomp|GroupToAdditiveGroupHomomorphismByFunction|GroupToLiePRing|GroupWithGenerators|GroupWithMemory|Group_InitPseudoRandom|Group_PseudoRandom|Groupoid|GroupoidArcs|GroupoidAutomorphismByGroupAuto|GroupoidAutomorphismByGroupAutoNC|GroupoidAutomorphismByGroupAutos|GroupoidAutomorphismByGroupAutosNC|GroupoidAutomorphismByObjectPerm|GroupoidAutomorphismByObjectPermNC|GroupoidAutomorphismByPiecesPerm|GroupoidAutomorphismByPiecesPermNC|GroupoidAutomorphismByRayShifts|GroupoidAutomorphismByRayShiftsNC|GroupoidByIsomorphisms|GroupoidElement|GroupoidHomomorphism|GroupoidHomomorphismDiscreteType|GroupoidHomomorphismFamily|GroupoidHomomorphismFromHomogeneousDiscrete|GroupoidHomomorphismFromHomogeneousDiscreteNC|GroupoidHomomorphismFromSinglePiece|GroupoidHomomorphismFromSinglePieceNC|GroupoidHomomorphismType|GroupoidInnerAutomorphism|GroupoidIsDigraph|GroupoidVertices|GroupoidWithRays|GroupoidsOfGraphOfGroupoids|GroupsByRankWidthObliquity|GroupsCommute|GroupsOfGraphOfGroups|GroupsOfHigherDimensionalGroup|GroupsViaLiePRings|GroupwordToMonword|GrowHT|Growth|GrowthFSA|GrowthFunction|GrowthFunctionOfCosetRepresentatives|GrowthFunctionOfGroup|GrowthFunctionOfOrbit|Grp|GrpElement|GtNP|GuaranaPkgName|GuavaToLeon|GuavaVersion|GuessMealyElement|GuessModuleOfGlobalSectionsFromATateMap|GuessVectorElement|GuessedDivergence|GuptaSidkiGroup|GuptaSidkiGroups|GuptaSidkiLieAlgebra|GuptaSidkiMachine|GuptaSidkiMachines|GuptaSidkiThinnedAlgebra|HANDLE_METHOD_NOT_FOUND|HANDLE_OBJ|HAPAAA|HAPBARCODE|HAPCocontractRegularCWComplex|HAPContractFilteredRegularCWComplex|HAPContractRegularCWComplex|HAPContractRegularCWComplex_Alt|HAPDerivation|HAPDerivationFamily|HAPDerivationNC|HAPDerivationType|HAPPRIME_Algebra2Polynomial|HAPPRIME_CohomologyRingWithoutResolution|HAPPRIME_CombineIndeterminateMaps|HAPPRIME_GradedAlgebraPresentationAvoidingIndeterminates|HAPPRIME_HilbertSeries|HAPPRIME_LHSSpectralSequence|HAPPRIME_LastLHSBicomplexSize|HAPPRIME_MakeEliminationOrdering|HAPPRIME_MapPolynomialIndeterminates|HAPPRIME_Polynomial2Algebra|HAPPRIME_RingHomomorphismsAreComposable|HAPPRIME_SModule|HAPPRIME_ShuffleRandomSource|HAPPRIME_SingularGroebnerBasis|HAPPRIME_SingularReducedGroebnerBasis|HAPPRIME_SwitchGradedAlgebraRing|HAPPRIME_SwitchPolynomialIndeterminates|HAPPRIME_VersionWithSVN|HAPPrintTo|HAPRIGXXX|HAPRead|HAPRegularCWComplex|HAPRegularCWPolytope|HAPRemoveCellFromRegularCWComplex|HAPRemoveVectorField|HAPRingHomomorphismByIndeterminateMap|HAPRingHomomorphismFamily|HAPRingModIdeal|HAPRingModIdealObj|HAPRingReductionHomomorphism|HAPRingToSubringHomomorphism|HAPSubringToRingHomomorphism|HAPTEMPORARYFUNCTION|HAPTietzeReduction_Inf|HAPTietzeReduction_OneLevel|HAPTietzeReduction_OneStep|HAPZeroRingHomomorphism|HAP_4x4MatTo2x2Mat|HAP_AddGenerator|HAP_AllHomomorphisms|HAP_AppendTo|HAP_BaryCentricSubdivisionGComplex|HAP_BaryCentricSubdivisionRegularCWComplex|HAP_Binlisttoint|HAP_CocyclesAndCoboundaries|HAP_CongruenceSubgroupGamma0|HAP_CongruenceSubgroupGamma0Ideal|HAP_CupProductOfPresentation|HAP_CupProductOfSimplicialComplex|HAP_ElementsSL2Zfn|HAP_EquivalenceClasses|HAP_GCOMPLEX_LIST|HAP_GCOMPLEX_SETUP|HAP_GenericSL2OSubgroup|HAP_GenericSL2ZSubgroup|HAP_HomToIntModP_ChainComplex|HAP_HomToIntModP_ChainMap|HAP_HomToIntModP_CochainComplex|HAP_IntegralClassToCocycle|HAP_IntegralCocycleToClass|HAP_IntegralCohomology|HAP_KnotGroupInv|HAP_Knots|HAP_MOVES_DIM_2|HAP_MOVES_DIM_3|HAP_MultiplicativeGenerators|HAP_NqEpimorphismNilpotentQuotient|HAP_PERMMOVES_DIM_2|HAP_PERMMOVES_DIM_3|HAP_PHI|HAP_PermBinlisttoint|HAP_PrincipalCongruenceSubgroup|HAP_PrincipalCongruenceSubgroupIdeal|HAP_PrintTo|HAP_PureComplexSubcomplex|HAP_PureCubicalPairToCWMap|HAP_ROOT|HAP_ResolutionAbelianGroupFromInvariants|HAP_RightTransversalSL2ZSubgroups|HAP_SL2OSubgroupTree_slow|HAP_SL2SubgroupTree|HAP_SL2TreeDisplay|HAP_SL2ZSubgroupTree_fast|HAP_SL2ZSubgroupTree_slow|HAP_Sequence2Boundaries|HAP_SimplicialPairToCWMap|HAP_SimplicialProjectivePlane|HAP_SimplicialTorus|HAP_SimplifiedGaussCode|HAP_StiefelWhitney|HAP_Tensor|HAP_TransversalCongruenceSubgroups|HAP_TransversalCongruenceSubgroupsIdeal|HAP_TransversalCongruenceSubgroupsIdeal_alt|HAP_TransversalGamma0SubgroupsIdeal|HAP_Triangulation|HAP_TzPair|HAP_WedgeSumOfSimplicialComplexes|HAP_XYXYXYXY|HAP_coho_isoms|HAP_knot_census|HAP_nxnMatTo2nx2nMat|HAP_type|HAPchildFunctionToggle|HAPchildToggle|HAPchildren|HAPconstant|HAPcopyright|HASHKEY_BAG|HASH_FLAGS|HASH_FUNC_FOR_BLIST|HASH_FUNC_FOR_PPERM|HASH_FUNC_FOR_TRANS|HAS_DOM_PPERM|HAS_IMG_PPERM|HAS_VALUE_OF_CATEGORY_CACHE|HClass|HClassNC|HClassReps|HClassType|HClasses|HELP|HELPBOOKINFOSIXTMP|HELP_ADD_BOOK|HELP_BOOKS_INFO|HELP_BOOK_HANDLER|HELP_BOOK_INFO|HELP_BOOK_RING|HELP_CHAPTER_BEGIN|HELP_CHAPTER_INFO|HELP_FAKECHAP_BEGIN|HELP_FLUSHRIGHT|HELP_GET_MATCHES|HELP_KNOWN_BOOKS|HELP_LAB_FILE|HELP_LAST|HELP_ORIG_TOPIC_RING|HELP_PRELCHAPTER_BEGIN|HELP_PRINT_MATCH|HELP_PRINT_SECTION_MAC_IC_URL|HELP_PRINT_SECTION_TEXT|HELP_PRINT_SECTION_URL|HELP_REGION|HELP_REMOVE_BOOK|HELP_RING_IDX|HELP_RING_SIZE|HELP_SEARCH_ALTERNATIVES|HELP_SECTION_BEGIN|HELP_SHOW_BOOKS|HELP_SHOW_CHAPTERS|HELP_SHOW_FROM_LAST_TOPICS|HELP_SHOW_MATCHES|HELP_SHOW_MATCHES_LIB|HELP_SHOW_NEXT|HELP_SHOW_NEXT_CHAPTER|HELP_SHOW_PREV|HELP_SHOW_PREV_CHAPTER|HELP_SHOW_SECTIONS|HELP_SHOW_WELCOME|HELP_TOPIC_RING|HELP_VIEWER_INFO|HEXBYTES|HEXDIGITS|HEXNIBBLES|HIDDEN_GVARS|HIDDEN_IMPS|HKrules|HMACSHA256|HMSMSec|HNFIntMat|HNFIntMatRowOps|HOM2MACHINE@FR|HOMALG|HOMALG_EXAMPLES|HOMALG_GRADED_MODULES|HOMALG_GRADED_RING|HOMALG_IO|HOMALG_IO_GAP|HOMALG_IO_MAGMA|HOMALG_IO_Macaulay2|HOMALG_IO_Maple|HOMALG_IO_Oscar|HOMALG_IO_Sage|HOMALG_IO_Singular|HOMALG_LOCALIZE_RING|HOMALG_MATRICES|HOMALG_MODULES|HOMALG_RESIDUE_CLASS_RING|HOMALG_RINGS|HOMALG_RING_OF_INTEGERS_PRIME_POWER_HELPER|HOMALG_TOOLS|HOMOMORPHIC_IGS|HOMOMORPHISMGERMPCGROUP@FR|HOMOMORPHISMGERMPCPGROUP@FR|HOMOMORPHISMGERMPERMGROUP@FR|HOPF_FpPathAlgebraModuleHom|HOPF_LeftIdentity|HOPF_MatrixModuleHom|HOPF_MinPoly|HOPF_SingularIdempotent|HOPF_TriangularizePathAlgebraVectorList|HOPF_ZeroDivisor|HPCGAP|HStarClass|HStarClasses|HStarRelation|HTAdd|HTAdd_TreeHash_C|HTCreate|HTDelete|HTDelete_TreeHash_C|HTGrow|HTMLEncodeString|HTMLFooter|HTMLHeader|HTMLStandardTable|HTTPRequest|HTTPTimeoutForSelect|HTUpdate|HTUpdate_TreeHash_C|HTValue|HTValue_TreeHash_C|HWModuleByGenerator|HWModuleByTensorProduct|HYPOT_MACFLOAT|HYPOT_MPFR|HaarGraph|HaarGraphCons|HadamardBoundIntMat|HadamardCode|HadamardGraph|HadamardMat|HaemersRegularLowerBound|HaemersRegularUpperBound|HalfInfList|HallMonoid|HallSubgroup|HallSubgroupOp|HallSystem|HallViaRadical|Halleen|HallsFittingFree|HalvedCubeGraph|HalvedCubeGraphCons|HamiltonianPath|HammingCode|HammingDecoder|HammingGraph|HammingMetric|HanoiGraph|HanoiGraphCons|HanoiGroup|HapCatOneGroup|HapCatOneGroupFamily|HapCatOneGroupMorphism|HapCatOneGroupMorphismFamily|HapChainComplex|HapChainComplexFamily|HapChainMap|HapChainMapFamily|HapCochainComplex|HapCochainComplexFamily|HapCochainMap|HapCochainMapFamily|HapCommutativeDiagram|HapCommutativeDiagramFamily|HapConjQuandElt|HapConjQuandEltFamily|HapConstantPolRing|HapCrossedModule|HapCrossedModuleFamily|HapCrossedModuleMorphism|HapCrossedModuleMorphismFamily|HapCubicalComplex|HapCubicalComplexFamily|HapEquivariantCWComplex|HapEquivariantCWComplexFamily|HapEquivariantChainComplex|HapEquivariantChainComplexFamily|HapEquivariantChainMap|HapEquivariantChainMapFamily|HapEquivariantSpectralSequencePage|HapEquivariantSpectralSequencePageFamily|HapExample|HapFPGModule|HapFPGModuleHomomorphism|HapFile|HapFilteredChainComplex|HapFilteredChainComplexFamily|HapFilteredCubicalComplex|HapFilteredCubicalComplexFamily|HapFilteredGraph|HapFilteredGraphFamily|HapFilteredPureCubicalComplex|HapFilteredPureCubicalComplexFamily|HapFilteredRegularCWComplex|HapFilteredRegularCWComplexFamily|HapFilteredSimplicialComplex|HapFilteredSimplicialComplexFamily|HapFilteredSparseChainComplex|HapFilteredSparseChainComplexFamily|HapGChainComplex|HapGCocomplex|HapGCocomplexFamily|HapGComplex|HapGComplexFamily|HapGComplexMap|HapGComplexMapFamily|HapGlobalDeclarationsAreAlreadyLoaded|HapGraph|HapGraphFamily|HapLargeGroupResolution|HapNonFreeResolution|HapOppositeElement|HapOppositeElementFamily|HapPureCubicalComplex|HapPureCubicalComplexFamily|HapPureCubicalLink|HapPureCubicalLinkFamily|HapPurePermutahedralComplex|HapPurePermutahedralComplexFamily|HapQuandlePresentation|HapQuandlePresentationFamily|HapQuotientElement|HapQuotientElementFamily|HapRegularCWComplex|HapRegularCWComplexFamily|HapRegularCWMap|HapRegularCWMapFamily|HapResolution|HapResolutionFamily|HapResolutionHomotopy@SptSet|HapRightTransversalSL2ZSubgroup|HapSL2ZSubgroup|HapSimplicialComplex|HapSimplicialComplexFamily|HapSimplicialFreeAbelianGroup|HapSimplicialFreeAbelianGroupFamily|HapSimplicialGroup|HapSimplicialGroupFamily|HapSimplicialGroupMorphism|HapSimplicialGroupMorphismFamily|HapSimplicialMap|HapSimplicialMapFamily|HapSparseChainComplex|HapSparseChainComplexFamily|HapSparseChainMap|HapSparseChainMapFamily|HapSparseMat|HapSparseMatFamily|HapTorsionSubcomplex|HapTorsionSubcomplexFamily|Has1stSyzygy|HasAFiniteFreeResolution|HasAG_AbelImagesGenerators|HasAG_ContractingTable|HasAG_GeneratingSetWithNucleusAutom|HasAG_MinimizedAutomatonList|HasANUPQAutomorphisms|HasANUPQIdentity|HasANonReesCongruenceOfSemigroup|HasAbelImage|HasAbelianExponentResidual|HasAbelianFactorGroup|HasAbelianInvariants|HasAbelianInvariantsMultiplier|HasAbelianInvariantsOfList|HasAbelianMinimalNormalSubgroups|HasAbelianModuleAction|HasAbelianModuleGroup|HasAbelianRank|HasAbelianSocle|HasAbelianSocleComponents|HasAbsoluteDiameter|HasAbsoluteValue|HasAcos|HasAcosh|HasActedGroup|HasActingDomain|HasActingGroup|HasActionDegree|HasActionForCrossedProduct|HasActionHomomorphismAttr|HasActionKernelExternalSet|HasActionOfNearRingOnNGroup|HasActionOnRespectedPartition|HasActionRank|HasActorCat1Group|HasActorCrossedSquare|HasActorOfExternalSet|HasActorXMod|HasAddingElement|HasAddingMachine|HasAdditiveElementAsMultiplicativeElement|HasAdditiveElementsAsMultiplicativeElementsFamily|HasAdditiveGenerators|HasAdditiveGroupOfRing|HasAdditiveInverse|HasAdditiveInverseAttr|HasAdditiveInverseForMorphisms|HasAdditiveInverseImmutable|HasAdditiveNeutralElement|HasAdditivelyActingDomain|HasAdjacencyBasesWithOne|HasAdjacencyMatrix|HasAdjacencyMatrixOfQuiver|HasAdjacencyPoset|HasAdjoinedIdentityDefaultType|HasAdjoinedIdentityFamily|HasAdjointBasis|HasAdjointGroup|HasAdjointModule|HasAdjointSemigroup|HasAdjunctMatrix|HasAdmissibleLattice|HasAffineCrystGroupOfPointGroup|HasAffineDegree|HasAffineDimension|HasAffineGroup|HasAffineNormalizer|HasAffineSemigroupInequalities|HasAlgebraActionType|HasAlgebraAsModuleOverEnvelopingAlgebra|HasAlgebraicElementsFamilies|HasAllAutosOfAlgebras|HasAllBlocks|HasAllCat1GroupsNumber|HasAllCat2GroupsNumber|HasAllCat3GroupsNumber|HasAllDerivations|HasAllInvolutiveCompatibilityCocycles|HasAllSections|HasAllSubnormalSubgroups|HasAlmostCrystallographicInfo|HasAlmostSplitSequence|HasAlpha|HasAlphabet|HasAlphabetInvolution|HasAlphabetOfFRAlgebra|HasAlphabetOfFRObject|HasAlphabetOfFRSemigroup|HasAlternatingDegree|HasAlternatingSubgroup|HasAmbientDimension|HasAmbientGS|HasAmbientGeometry|HasAmbientLieAlgebra|HasAmbientPolarSpace|HasAmbientRing|HasAmbientSpace|HasAnnihilator|HasAnnihilatorOfModule|HasAnnihilators|HasAntiAutomorphismTau|HasAntiIsomorphismDualSemigroup|HasAntiIsomorphismTransformationSemigroup|HasAntiautomorphicInverseProperty|HasAntipodeMap|HasAnyCongruenceCategory|HasAnyCongruenceString|HasAperyList|HasAperyListOfNumericalSemigroup|HasAreUnitsCentral|HasArfCharactersOfArfNumericalSemigroup|HasArgument|HasArity|HasArrangementOfMonoidGenerators|HasArrow|HasArrowsOfQuiver|HasArticulationPoints|HasAsBBoxProgram|HasAsCapCategory|HasAsCatObject|HasAsCokernel|HasAsDuplicateFreeList|HasAsGeneralizedMorphismByCospan|HasAsGeneralizedMorphismBySpan|HasAsGeneralizedMorphismByThreeArrows|HasAsGraph|HasAsGroup|HasAsGroupFRMachine|HasAsGroupGeneralMappingByImages|HasAsInternalFFE|HasAsInverseMonoid|HasAsInverseSemigroup|HasAsInverseSemigroupCongruenceByKernelTrace|HasAsKernel|HasAsLeftModuleGeneralMappingByImages|HasAsList|HasAsListCanonical|HasAsMagma|HasAsMatrixGroup|HasAsMealyElement|HasAsMealyMachine|HasAsMonoidFRMachine|HasAsMorphismBetweenFreeLeftPresentations|HasAsMorphismBetweenFreeRightPresentations|HasAsNearRing|HasAsPermutation|HasAsPolynomial|HasAsRing|HasAsSSortedList|HasAsSemigroupFRMachine|HasAsSemiring|HasAsSemiringWithOne|HasAsSemiringWithOneAndZero|HasAsSemiringWithZero|HasAsSortedList|HasAsStraightLineDecision|HasAsStraightLineProgram|HasAsSubgroupFpGroup|HasAsSubgroupOfWholeGroupByQuotient|HasAsTransformation|HasAsVectorSpaceMorphism|HasAsin|HasAsinh|HasAssociatedBilinearForm|HasAssociatedConcreteSemigroup|HasAssociatedFpSemigroup|HasAssociatedGradedRing|HasAssociatedLeftBruckLoop|HasAssociatedMaximalIdeals|HasAssociatedMonomialAlgebra|HasAssociatedMorphism|HasAssociatedNumberField|HasAssociatedPolynomial|HasAssociatedPolynomialRing|HasAssociatedPrimes|HasAssociatedPrimesOfMaximalCodimension|HasAssociatedReesMatrixSemigroupOfDClass|HasAssociatedRightBruckLoop|HasAssociatedRing|HasAssociatedSemigroup|HasAssociativeObject|HasAssociatorSubloop|HasAstrictionToCoimage|HasAtan|HasAtanh|HasAtlasRepInfoRecord|HasAttachedMalcevCollector|HasAugmentation|HasAugmentationHomomorphism|HasAugmentationIdeal|HasAugmentationIdealNilpotencyIndex|HasAugmentationIdealOfDerivedSubgroupNilpotencyIndex|HasAugmentationIdealPowerFactorGroup|HasAugmentationIdealPowerSeries|HasAugmentedCosetTableMtcInWholeGroup|HasAugmentedCosetTableNormalClosureInWholeGroup|HasAugmentedCosetTableRrsInWholeGroup|HasAutoGroupIsomorphism|HasAutomatonList|HasAutomorphicInverseProperty|HasAutomorphismClass|HasAutomorphismDomain|HasAutomorphismGroup|HasAutomorphismGroupOfGroupoid|HasAutomorphismGroupOfNilpotentLieAlgebra|HasAutomorphismGroupQuandle|HasAutomorphismGroupQuandleAsPerm|HasAutomorphismGroupoidOfGroupoid|HasAutomorphismNearRingFlag|HasAutomorphismOmega|HasAutomorphismPermGroup|HasAutomorphisms|HasAutomorphismsOfTable|HasAuxilliaryTable|HasBack3DimensionalGroup|HasBaerRadical|HasBarAutomorphism|HasBase|HasBaseChangeToCanonical|HasBaseDomain|HasBaseElement|HasBaseIntMat|HasBaseMat|HasBaseOfGroup|HasBaseOrthogonalSpaceMat|HasBasePointOfEGQ|HasBaseRing|HasBaseRoot|HasBases|HasBasis|HasBasisAlgorithmRespectsPrincipalIdeals|HasBasisOfColumnModule|HasBasisOfLiePRing|HasBasisOfProjectives|HasBasisOfRowModule|HasBasisOfSimpleRoots|HasBasisVectors|HasBaumClausenInfo|HasBettiNumbers|HasBettiTable|HasBettiTableOverCoefficientsRing|HasBicyclicUnitGroup|HasBilinearFormMat|HasBilinearFormMatNF|HasBilinearFormOfUnitForm|HasBlissAutomorphismGroup|HasBlissCanonicalDigraphAttr|HasBlissCanonicalLabelling|HasBlocksAttr|HasBlocksInfo|HasBlocksOfDesign|HasBooleanAdjacencyMatrix|HasBorelSubgroup|HasBoundary|HasBoundaryForEquivalence|HasBoundaryFunction|HasBrace2CycleSet|HasBrace2YB|HasBranchStructure|HasBranchingIdeal|HasBranchingSubgroup|HasBrauerCharacterValue|HasBravaisGroup|HasBravaisSubgroups|HasBravaisSupergroups|HasBridges|HasCAP_CATEGORY_SOURCE_RANGE_THEOREM_INSTALL_HELPER|HasCASInfo|HasCRISP_SmallGeneratingSet|HasCanBeUsedToDecideZero|HasCanBeUsedToDecideZeroEffectively|HasCanComputeActionOnPoints|HasCanComputeMonomialsWithGivenDegreeForRing|HasCanEasilyCompareElements|HasCanEasilyDetermineCanonicalRepresentativeExternalSet|HasCanEasilySortElements|HasCanUseFroidurePin|HasCanUseGapFroidurePin|HasCanUseLibsemigroupsCongruences|HasCanUseLibsemigroupsFroidurePin|HasCanonicalBasis|HasCanonicalBlocks|HasCanonicalBooleanMat|HasCanonicalForm|HasCanonicalGenerators|HasCanonicalGreensClass|HasCanonicalIdentificationFromCoimageToImageObject|HasCanonicalIdentificationFromImageObjectToCoimage|HasCanonicalMapping|HasCanonicalMultiplicationTable|HasCanonicalMultiplicationTablePerm|HasCanonicalNiceMonomorphism|HasCanonicalPcgs|HasCanonicalPcgsWrtFamilyPcgs|HasCanonicalPcgsWrtHomePcgs|HasCanonicalPcgsWrtSpecialPcgs|HasCanonicalProjection|HasCanonicalReesMatrixSemigroup|HasCanonicalReesZeroMatrixSemigroup|HasCanonicalRepresentativeDeterminatorOfExternalSet|HasCanonicalRepresentativeOfExternalSet|HasCanonicalStarClass|HasCanonicalTransformation|HasCapCategory|HasCapacity|HasCartanDecomposition|HasCartanMatrix|HasCartanName|HasCartanSubalgebra|HasCartanSubalgebrasOfRealForm|HasCartanSubspace|HasCarterSubgroup|HasCastelnuovoMumfordRegularity|HasCastelnuovoMumfordRegularityOfSheafification|HasCat1AlgebraOfXModAlgebra|HasCat1GroupMorphismOfXModMorphism|HasCat1GroupOfXMod|HasCat2GroupMorphismOfCrossedSquareMorphism|HasCat2GroupOfCrossedSquare|HasCatOfComplex|HasCategoryFilter|HasCategoryName|HasCategoryOfOperationWeightList|HasCatnGroupLists|HasCatnGroupNumbers|HasCayleyDeterminant|HasCayleyGraphDualSemigroup|HasCayleyGraphSemigroup|HasCayleyTable|HasCeil|HasCellFilter|HasCenter|HasCenterOfCrossedProduct|HasCentralCharacter|HasCentralElement|HasCentralIdempotentsOfSemiring|HasCentralNormalSeriesByPcgs|HasCentralQuotient|HasCentralizerInGLnZ|HasCentralizerInParent|HasCentralizerNearRingFlag|HasCentralizerPointGroupInGLnZ|HasCentre|HasCentreOfCharacter|HasCentreXMod|HasCgs|HasChapterInfo|HasCharacterDegrees|HasCharacterNames|HasCharacterParameters|HasCharacterTableIsoclinic|HasCharacterTableOfInverseSemigroup|HasCharacteristic|HasCharacteristicFactorsOfGroup|HasCharacteristicOfField|HasCharacteristicPolynomial|HasCharacteristicSubgroups|HasCheckMat|HasCheckPol|HasChernCharacter|HasChernCharacterPolynomial|HasChernPolynomial|HasChevalleyBasis|HasChiefNormalSeriesByPcgs|HasChiefSeries|HasChiefSeriesTF|HasChromaticNumber|HasCircleFamily|HasCircleObject|HasClassInfo|HasClassNames|HasClassNamesTom|HasClassOfLiePRing|HasClassParameters|HasClassPermutation|HasClassPositionsOfCenter|HasClassPositionsOfCentre|HasClassPositionsOfDerivedSubgroup|HasClassPositionsOfDirectProductDecompositions|HasClassPositionsOfElementaryAbelianSeries|HasClassPositionsOfFittingSubgroup|HasClassPositionsOfKernel|HasClassPositionsOfLowerCentralSeries|HasClassPositionsOfMaximalNormalSubgroups|HasClassPositionsOfMinimalNormalSubgroups|HasClassPositionsOfNormalSubgroups|HasClassPositionsOfSolubleResiduum|HasClassPositionsOfSolvableRadical|HasClassPositionsOfSolvableResiduum|HasClassPositionsOfSupersolvableResiduum|HasClassPositionsOfUpperCentralSeries|HasClassRoots|HasClassTypesTom|HasClassWiseConstantOn|HasClassWiseOrderPreservingOn|HasClassWiseOrderReversingOn|HasClassicalGroupInfo|HasCliqueNumber|HasClosedIntervalNS|HasClosedSubsets|HasCoDualOnMorphisms|HasCoDualOnObjects|HasCoKernelOfAdditiveGeneralMapping|HasCoKernelOfMultiplicativeGeneralMapping|HasCoKernelOfWhat|HasCoKernelProjection|HasCoLambdaIntroduction|HasCoRankMorphism|HasCoTraceMap|HasCoastrictionToImage|HasCoboundaryMatrix|HasCocVecs|HasCoclosedCoevaluationForCoDual|HasCoclosedEvaluationForCoDual|HasCocycle|HasCodeDensity|HasCodeNorm|HasCodefectProjection|HasCodegreeOfPartialPermCollection|HasCodegreeOfPartialPermSemigroup|HasCodegreeOfPurity|HasCodomainOfBipartition|HasCodomainProjection|HasCoefficientModule|HasCoefficientRange|HasCoefficientsAndMagmaElements|HasCoefficientsBySupport|HasCoefficientsFamily|HasCoefficientsOfLaurentPolynomial|HasCoefficientsOfMorphism|HasCoefficientsOfNumeratorOfHilbertPoincareSeries|HasCoefficientsOfSigmaAndTheta|HasCoefficientsOfUnivariatePolynomial|HasCoefficientsOfUnivariateRationalFunction|HasCoefficientsOfUnreducedNumeratorOfHilbertPoincareSeries|HasCoefficientsRing|HasCoeffs|HasCoevaluationForDual|HasCohomologicalPeriod|HasCoimageObject|HasCoimageProjection|HasCokernelEpi|HasCokernelNaturalGeneralizedIsomorphism|HasCokernelObject|HasCokernelProjection|HasCollectionsFamily|HasCollineationAction|HasCollineationGroup|HasCollineationSubgroup|HasColorCosetList|HasColorHomomorphism|HasColorPermGroup|HasColorSubgroup|HasColour|HasColumnEchelonForm|HasColumnRankOfMatrix|HasColumns|HasColumnsOfReesMatrixSemigroup|HasColumnsOfReesZeroMatrixSemigroup|HasCommonNonTrivialWeightOfIndeterminates|HasCommutant|HasCommutativeRingOfLinearCategory|HasCommutatorFactorGroup|HasCommutatorLength|HasCommutingIdempotents|HasCompactSimpleRoots|HasCompanionAutomorphism|HasComparisonFunction|HasCompatibleVectorFilter|HasComplementSystem|HasCompleteRewritingSystem|HasComplexConjugate|HasComponentRepsOfPartialPerm|HasComponentRepsOfPartialPermSemigroup|HasComponentRepsOfTransformation|HasComponentRepsOfTransformationSemigroup|HasComponents|HasComponentsOfDirectProductElementsFamily|HasComponentsOfPartialPerm|HasComponentsOfPartialPermSemigroup|HasComponentsOfTransformation|HasComponentsOfTransformationSemigroup|HasCompositionSeries|HasComputedAbelianExponentResiduals|HasComputedAgemos|HasComputedAscendingChains|HasComputedAugmentationIdealPowerFactorGroups|HasComputedBrauerTables|HasComputedClassFusions|HasComputedCoveringSubgroup1s|HasComputedCoveringSubgroup2s|HasComputedCoveringSubgroups|HasComputedCyclicExtensionsTom|HasComputedDiagonalPowers|HasComputedFNormalizerWrtFormations|HasComputedHallSubgroups|HasComputedImprimitivitySystemss|HasComputedIndicators|HasComputedInducedPcgses|HasComputedInjectors|HasComputedIsAbCps|HasComputedIsCps|HasComputedIsIrreducibleMatrixGroups|HasComputedIsMembers|HasComputedIsPNilpotents|HasComputedIsPSolvableCharacterTables|HasComputedIsPSolvables|HasComputedIsPSupersolvables|HasComputedIsPrimitiveMatrixGroups|HasComputedIsXps|HasComputedIsYps|HasComputedLowIndexNormalSubgroupss|HasComputedLowIndexSubgroupClassess|HasComputedMatrixCategoryObjects|HasComputedMaximalSubgroupClassesByIndexs|HasComputedMinimalBlockDimensionOfMatrixGroups|HasComputedMinimalNormalPSubgroupss|HasComputedMonomialsWithGivenDegrees|HasComputedMultAutomAlphabets|HasComputedOmegas|HasComputedPCentralSeriess|HasComputedPCores|HasComputedPResiduals|HasComputedPRumps|HasComputedPSocleComponentss|HasComputedPSocleSeriess|HasComputedPSocles|HasComputedPermGroupOnLevels|HasComputedPermOnLevels|HasComputedPiResiduals|HasComputedPowerMaps|HasComputedPowerSubalgebras|HasComputedPrimeBlockss|HasComputedProjections|HasComputedProjectors|HasComputedRadicals|HasComputedResidualWrtFormations|HasComputedResiduals|HasComputedSCBoundaryOperatorMatrixs|HasComputedSCCoboundaryOperatorMatrixs|HasComputedSCCohomologyBasisAsSimplicess|HasComputedSCCohomologyBasiss|HasComputedSCFpBettiNumberss|HasComputedSCHomalgBoundaryMatricess|HasComputedSCHomalgCoboundaryMatricess|HasComputedSCHomalgCohomologyBasiss|HasComputedSCHomalgCohomologys|HasComputedSCHomalgHomologyBasiss|HasComputedSCHomalgHomologys|HasComputedSCHomologyBasisAsSimplicess|HasComputedSCHomologyBasiss|HasComputedSCIncidencesExs|HasComputedSCIsInKds|HasComputedSCIsKNeighborlys|HasComputedSCIsKStackedSpheres|HasComputedSCNumFacess|HasComputedSCSkelExs|HasComputedStabilizerOfLevels|HasComputedSylowComplements|HasComputedSylowSubgroups|HasComputedTransformationOnLevels|HasComputedTransformationSemigroupOnLevels|HasComputedTransitionMaps|HasComultiplicationMap|HasConductor|HasConductorOfGoodIdeal|HasConductorOfGoodSemigroup|HasConductorOfIdealOfNumericalSemigroup|HasConductorOfNumericalSemigroup|HasConfinalityClasses|HasConfluentMonoidPresentationForGroup|HasConfluentRws|HasCongruenceProperty|HasCongruencesOfPoset|HasCongruencesOfSemigroup|HasConjugacyClassRepsCompatibleSubgroups|HasConjugacyClasses|HasConjugacyClassesMaximalSubgroups|HasConjugacyClassesPerfectSubgroups|HasConjugacyClassesSubgroups|HasConjugates|HasConjugatingMatTraceField|HasConjugatorInnerAutomorphism|HasConjugatorOfConjugatorIsomorphism|HasConstantRank|HasConstantTermOfHilbertPolynomial|HasConstantTimeAccessList|HasConstituentsOfCharacter|HasConstructedAsAnIdeal|HasConstructedFromFpGroup|HasConstructingFilter|HasConstructionInfoCharacterTable|HasConstructorForHomalgMatrices|HasContainingCategory|HasContainsAField|HasContainsSphericallyTransitiveElement|HasContainsTrivialGroup|HasContent|HasContentOfFreeBandElement|HasContentOfFreeBandElementCollection|HasContractingLevel|HasContractingTable|HasCoordinateNorm|HasCoordinateRingOfGraph|HasCoordinates|HasCoordinatesOfHyperplane|HasCoproduct|HasCoproduct2dInfo|HasCoproductFunctor|HasCoproductInfo|HasCoreInParent|HasCorrelationAction|HasCorrelationCollineationGroup|HasCorrespondence|HasCos|HasCosetTableFpHom|HasCosetTableInWholeGroup|HasCosetTableNormalClosureInWholeGroup|HasCosetTableOfFpSemigroup|HasCosh|HasCot|HasCoth|HasCounitMap|HasCoverByFreeModule|HasCoverHomomorphism|HasCoverOf|HasCoveringGroups|HasCoveringRadius|HasCoveringSubgroup|HasCoveringSubgroup1|HasCoveringSubgroup2|HasCoxeterMatrix|HasCoxeterPolynomial|HasCrossDiagonalActions|HasCrossedPairing|HasCrossedPairingMap|HasCrossedSquareByAutomorphismGroup|HasCrossedSquareByXModSplitting|HasCrossedSquareMorphismOfCat2GroupMorphism|HasCrossedSquareOfCat2Group|HasCrystCatRecord|HasCrystalBasis|HasCrystalVectors|HasCsc|HasCsch|HasCubeRoot|HasCurrentResolution|HasCurrentRingSingularIdentifier|HasCutVertices|HasCycleSet2YB|HasCycleStructurePerm|HasCyclesOfPartialPerm|HasCyclesOfPartialPermSemigroup|HasCyclesOfTransformation|HasCyclesOfTransformationSemigroup|HasCyclicExtensionsTom|HasCyclotomic|HasDClassOfHClass|HasDClassOfLClass|HasDClassOfRClass|HasDClassReps|HasDClassType|HasDClasses|HasDIGRAPHS_Bipartite|HasDIGRAPHS_ConnectivityData|HasDIGRAPHS_Degeneracy|HasDIGRAPHS_Layers|HasDIGRAPHS_Stabilizers|HasDStarClass|HasDStarClasses|HasDStarRelation|HasDTr|HasDataAboutSimpleGroup|HasDataOfCoordinateRingOfGraph|HasDataOfHilbertFunction|HasDecomposeModule|HasDecomposeModuleWithInclusions|HasDecomposeModuleWithMultiplicities|HasDecomposedRationalClass|HasDecompositionIntoPermutationalAndOrderPreservingElement|HasDecompositionMatrix|HasDecompositionTypesOfGroup|HasDecreasingOn|HasDefaultFieldOfMatrix|HasDefaultFieldOfMatrixGroup|HasDefectEmbedding|HasDefinedByAmalgamation|HasDefinedByCartesianProduct|HasDefinedByDuplication|HasDefiningCongruenceSubgroups|HasDefiningIdeal|HasDefiningListOfPolynomials|HasDefiningPcgs|HasDefiningPlanesOfEGQByBLTSet|HasDefiningPolynomial|HasDegreeAction|HasDegreeFFE|HasDegreeGroup|HasDegreeMatrix|HasDegreeOfBinaryRelation|HasDegreeOfBipartition|HasDegreeOfBipartitionCollection|HasDegreeOfBipartitionSemigroup|HasDegreeOfBlocks|HasDegreeOfCharacter|HasDegreeOfChernPolynomial|HasDegreeOfDirichletSeries|HasDegreeOfElementOfGrothendieckGroupOfProjectiveSpace|HasDegreeOfFRElement|HasDegreeOfFRMachine|HasDegreeOfFRSemigroup|HasDegreeOfHomogeneousElement|HasDegreeOfLaurentPolynomial|HasDegreeOfMatrixGroup|HasDegreeOfMorphism|HasDegreeOfPBR|HasDegreeOfPBRCollection|HasDegreeOfPBRSemigroup|HasDegreeOfPartialPermCollection|HasDegreeOfPartialPermSemigroup|HasDegreeOfProjectiveRepresentation|HasDegreeOfRingElement|HasDegreeOfRingElementFunction|HasDegreeOfTorsionFreeness|HasDegreeOfTransformationCollection|HasDegreeOfTransformationSemigroup|HasDegreeOfTree|HasDegreeOperation|HasDegreeOverPrimeField|HasDegreesOfEntries|HasDegreesOfEntriesFunction|HasDehornoyClass|HasDeligneLusztigName|HasDeligneLusztigNames|HasDelta|HasDenominatorOfModuloPcgs|HasDenominatorOfRationalFunction|HasDensity|HasDensityOfSetOfFixedPoints|HasDensityOfSupport|HasDepthOfFRElement|HasDepthOfFRMachine|HasDepthOfFRSemigroup|HasDepthOfUpperTriangularMatrix|HasDerivationClass|HasDerivationFunctionsWithExtraFilters|HasDerivationGraph|HasDerivationImages|HasDerivationName|HasDerivationRelations|HasDerivationRing|HasDerivationWeight|HasDerivations|HasDerivative|HasDerivedLeftRack|HasDerivedLength|HasDerivedRightRack|HasDerivedSeriesOfGroup|HasDerivedSubSkewbrace|HasDerivedSubXMod|HasDerivedSubgroup|HasDerivedSubgroupsTomPossible|HasDerivedSubgroupsTomUnique|HasDerivedSubloop|HasDescriptionOfImplication|HasDesignParameter|HasDesignedDistance|HasDeterminantMat|HasDeterminantMatrix|HasDeterminantOfCharacter|HasDiagonal2DimensionalGroup|HasDiagonalOfMultiplicationTable|HasDiagonalPower|HasDiagramOfGeometry|HasDifferenceSize|HasDifferenceWords|HasDifferentialsOfComplex|HasDigraphAddAllLoopsAttr|HasDigraphAdjacencyFunction|HasDigraphAllSimpleCircuits|HasDigraphBicomponents|HasDigraphCartesianProductProjections|HasDigraphConnectedComponents|HasDigraphCore|HasDigraphDegeneracy|HasDigraphDegeneracyOrdering|HasDigraphDiameter|HasDigraphDirectProductProjections|HasDigraphDualAttr|HasDigraphEdges|HasDigraphGirth|HasDigraphGreedyColouring|HasDigraphGroup|HasDigraphHasLoops|HasDigraphLongestSimpleCircuit|HasDigraphLoops|HasDigraphMaximalCliquesAttr|HasDigraphMaximalCliquesRepsAttr|HasDigraphMaximalIndependentSetsAttr|HasDigraphMaximalIndependentSetsRepsAttr|HasDigraphMaximalMatching|HasDigraphMaximumMatching|HasDigraphMutabilityFilter|HasDigraphMycielskianAttr|HasDigraphNrConnectedComponents|HasDigraphNrEdges|HasDigraphNrLoops|HasDigraphNrStronglyConnectedComponents|HasDigraphNrVertices|HasDigraphOddGirth|HasDigraphOfActionOnPoints|HasDigraphOfGraphOfGroupoids|HasDigraphOfGraphOfGroups|HasDigraphOrbitReps|HasDigraphOrbits|HasDigraphPeriod|HasDigraphRange|HasDigraphReflexiveTransitiveClosureAttr|HasDigraphReflexiveTransitiveReductionAttr|HasDigraphRemoveAllMultipleEdgesAttr|HasDigraphRemoveLoopsAttr|HasDigraphReverseAttr|HasDigraphSchreierVector|HasDigraphShortestDistances|HasDigraphSinks|HasDigraphSmallestLastOrder|HasDigraphSource|HasDigraphSources|HasDigraphStronglyConnectedComponents|HasDigraphSymmetricClosureAttr|HasDigraphTopologicalSort|HasDigraphTransitiveClosureAttr|HasDigraphTransitiveReductionAttr|HasDigraphUndirectedGirth|HasDigraphVertices|HasDigraphWelshPowellOrder|HasDihedralDepth|HasDihedralGenerators|HasDimension|HasDimensionBasis|HasDimensionOfAffineSemigroup|HasDimensionOfHilbertPoincareSeries|HasDimensionOfLiePRing|HasDimensionOfMatrixGroup|HasDimensionOfMatrixNearRing|HasDimensionOfMatrixOverSemiring|HasDimensionOfMatrixOverSemiringCollection|HasDimensionOfVectors|HasDimensionVector|HasDimensionsLoewyFactors|HasDimensionsMat|HasDirectFactorsFittingFreeSocle|HasDirectFactorsOfGroup|HasDirectProduct2dInfo|HasDirectProductFunctor|HasDirectProductHigherDimensionalInfo|HasDirectProductInfo|HasDirectProductNearRingFlag|HasDirectSumDecomposition|HasDirectSumInclusions|HasDirectSumInfo|HasDirectSumProjections|HasDirectSummands|HasDiscreteTrivialSubgroupoid|HasDiscriminant|HasDiscriminantOfForm|HasDisplacementSubgroup|HasDisplayOptions|HasDisplayTable|HasDistinguishedObjectOfHomomorphismStructure|HasDistributiveElements|HasDistributors|HasDivisor|HasDixonRecord|HasDomainAssociatedMorphismCodomainTriple|HasDomainEmbedding|HasDomainOfBipartition|HasDomainOfPartialPerm|HasDomainOfPartialPermCollection|HasDotDigraph|HasDotPartialOrderDigraph|HasDotPreorderDigraph|HasDotSemilatticeOfIdempotents|HasDotSymmetricDigraph|HasDown|HasDown2|HasDown2DimensionalGroup|HasDown2DimensionalMorphism|HasDown3|HasDown3DimensionalGroup|HasDownOnlyMorphismData|HasDownToBottom|HasDual|HasDualAlgebraModule|HasDualAutomFamily|HasDualBiset|HasDualOfAlgebraAsModuleOverEnvelopingAlgebra|HasDualOfModule|HasDualOfModuleHomomorphism|HasDualOnMorphisms|HasDualOnObjects|HasDualSemigroup|HasDualSemigroupOfFamily|HasEANormalSeriesByPcgs|HasEUnitaryInverseCover|HasEarns|HasEchelonMat|HasEchelonMatTransformation|HasEdgesOfHigherDimensionalGroup|HasEfaSeries|HasEggBoxOfDClass|HasElationGroup|HasElementOfGrothendieckGroup|HasElementOfGrothendieckGroupOfProjectiveSpace|HasElementTestFunction|HasElementTypeOfStrongSemilatticeOfSemigroups|HasElementaryAbelianFactorGroup|HasElementaryAbelianProductResidual|HasElementaryAbelianSeries|HasElementaryAbelianSeriesLargeSteps|HasElementaryAbelianSubseries|HasElementaryDivisors|HasElementaryRank|HasElementsFamily|HasElementsMultipleOf|HasElementsOfGroupoid|HasElementsOfMonoidPresentation|HasEliahouNumber|HasEmbedRangeAutos|HasEmbedSourceAutos|HasEmbeddingDimension|HasEmbeddingDimensionOfNumericalSemigroup|HasEmbeddingInSuperObject|HasEmbeddingIntoFreeProduct|HasEmbeddingOfAscendingSubgroup|HasEmbeddingOfSubmoduleGeneratedByHomogeneousPart|HasEmbeddingOfTruncatedModuleInSuperModule|HasEmbeddingsInNiceObject|HasEmptyRowVector|HasEndOverAlgebra|HasEndWeight|HasEndoMappingFamily|HasEndomorphismMonoid|HasEndomorphismNearRingFlag|HasEndomorphismRing|HasEndomorphisms|HasEndomorphismsOfLpGroup|HasEnumerator|HasEnumeratorByBasis|HasEnumeratorCanonical|HasEnumeratorSorted|HasEnvelopingAlgebra|HasEnvelopingAlgebraHomomorphism|HasEpiOfPushout|HasEpiOnFactorObject|HasEpiOnLeftFactor|HasEpiOnRightFactor|HasEpicenter|HasEpicentre|HasEpimorphismFromFreeGroup|HasEpimorphismFromSomeProjectiveObject|HasEpimorphismSchurCover|HasEpimorphismSchurCover@FR|HasEquationForPolarSpace|HasEquationOfHyperplane|HasEquationOrderBasis|HasEquations|HasEquivalence|HasEquivalenceClassRelation|HasEquivalenceClasses|HasEquivalenceRelationCanonicalLookup|HasEquivalenceRelationCanonicalPartition|HasEquivalenceRelationLookup|HasEquivalenceRelationPartition|HasEquivalenceRelationPartitionWithSingletons|HasEquivalenceSmallSemigroup|HasErf|HasErrorProbability|HasEulerCharacteristic|HasEval|HasEvalAddMat|HasEvalCertainColumns|HasEvalCertainRows|HasEvalCoefficientsWithGivenMonomials|HasEvalCoercedMatrix|HasEvalCompose|HasEvalConvertColumnToMatrix|HasEvalConvertMatrixToColumn|HasEvalConvertMatrixToRow|HasEvalConvertRowToMatrix|HasEvalDiagMat|HasEvalDualKroneckerMat|HasEvalInverse|HasEvalInvolution|HasEvalKroneckerMat|HasEvalLeftInverse|HasEvalMatrixOfRelations|HasEvalMatrixOfRingRelations|HasEvalMatrixOperation|HasEvalMulMat|HasEvalMulMatRight|HasEvalRightInverse|HasEvalRingElement|HasEvalSubMat|HasEvalSyzygiesOfColumns|HasEvalSyzygiesOfRows|HasEvalTransposedMatrix|HasEvalUnionOfColumns|HasEvalUnionOfRows|HasEvaluatedMatrixOfRelations|HasEvaluatedMatrixOfRingRelations|HasEvaluationForDual|HasExp|HasExp10|HasExp2|HasExplicitMultiplicationNearRingElementFamilies|HasExpm1|HasExponent|HasExponentOfPowering|HasExtRepDenominatorRatFun|HasExtRepNumeratorRatFun|HasExtRepPolynomialRatFun|HasExtSSPAndDim|HasExtensionInfoCharacterTable|HasExtensionOfType|HasExteriorAlgebra|HasExteriorCenter|HasExteriorCentre|HasExteriorPowerBaseModule|HasExteriorPowerExponent|HasExteriorPowers|HasExternalOrbits|HasExternalOrbitsStabilizers|HasExternalSet|HasExternalSetXMod|HasFCCentre|HasFGA_Image|HasFGA_NielsenAutomorphisms|HasFGA_Source|HasFGA_WhiteheadAutomorphisms|HasFGA_WhiteheadParams|HasFNormalizerWrtFormation|HasFPFaithHom|HasFRBranchGroupConjugacyData|HasFRConjugacyAlgorithm|HasFRGroupImageData|HasFRGroupPreImageData|HasFRMachineOfBiset|HasFRMachineRWS|HasFacesOfHigherDimensionalGroup|HasFactorNearRingFlag|HasFactorObject|HasFactorOrder|HasFactorizationIntoCSCRCT|HasFactorizationIntoElementaryCSCRCT|HasFactorsOfDirectProduct|HasFaithfulDimension|HasFaithfulModule|HasFamiliesOfGeneralMappingsAndRanges|HasFamilyForOrdering|HasFamilyForRewritingSystem|HasFamilyPcgs|HasFamilyRange|HasFamilySource|HasFareySymbol|HasFibre|HasFibreElement|HasFieldOfMatrixGroup|HasFieldOfUnitGroup|HasFiltrationByShortExactSequence|HasFingerprintDerivedSeries|HasFingerprintMatrixGroup|HasFingerprintOfCharacterTable|HasFiniteFreeResolutionExists|HasFiniteSubgroupClasses|HasFittingClass|HasFittingFormation|HasFittingFreeLiftSetup|HasFittingIdeal|HasFittingLength|HasFittingSubgroup|HasFix|HasFixedPointsOfAffinePartialMappings|HasFixedPointsOfPartialPerm|HasFixedPointsOfPartialPermSemigroup|HasFixedPointsOfTransformationSemigroup|HasFixedRelatorsOfLpGroup|HasFixedStatesOfFRElement|HasFlatKernelOfTransformation|HasFloor|HasFpElementNFFunction|HasFpElmComparisonMethod|HasFpElmEqualityMethod|HasFpTietzeIsomorphism|HasFrExp|HasFrac|HasFrattExtInfo|HasFrattiniFactor|HasFrattiniSubgroup|HasFrattiniSubloop|HasFrattinifactorId|HasFrattinifactorSize|HasFreeAlgebraOfFpAlgebra|HasFreeFactors|HasFreeGeneratorsOfFpAlgebra|HasFreeGeneratorsOfFpGroup|HasFreeGeneratorsOfFpMonoid|HasFreeGeneratorsOfFpSemigroup|HasFreeGeneratorsOfFullPreimage|HasFreeGeneratorsOfGroup|HasFreeGeneratorsOfLpGroup|HasFreeGroupAutomaton|HasFreeGroupExtendedAutomaton|HasFreeGroupOfFpGroup|HasFreeGroupOfLpGroup|HasFreeGroupOfPresentation|HasFreeMonoidOfFpMonoid|HasFreeMonoidOfRewritingSystem|HasFreeProductInfo|HasFreeProductWithAmalgamationInfo|HasFreeRelatorGroup|HasFreeRelatorHomomorphism|HasFreeSemigroupOfFpSemigroup|HasFreeSemigroupOfKnuthBendixRewritingSystem|HasFreeSemigroupOfRewritingSystem|HasFreeYSequenceGroup|HasFreeYSequenceGroupKB|HasFrobeniusAutomorphism|HasFrobeniusForm|HasFrobeniusLinearFunctional|HasFrobeniusNumber|HasFrobeniusNumberOfIdealOfNumericalSemigroup|HasFrobeniusNumberOfNumericalSemigroup|HasFroidurePin|HasFromIdentityToDoubleStarHomomorphism|HasFront3DimensionalGroup|HasFullCodomain|HasFullColumnRankIntMatDestructive|HasFullDomain|HasFullSCData|HasFullSCFilter|HasFullSCVertex|HasFullSubobject|HasFullTrivialSubgroupoid|HasFunctionAction|HasFunctionCalledBeforeInstallation|HasFunctorCanonicalizeZeroMorphisms|HasFunctorCanonicalizeZeroObjects|HasFunctorDoubleDualLeft|HasFunctorDoubleDualRight|HasFunctorDualLeft|HasFunctorDualRight|HasFunctorFromCospansToSpans|HasFunctorFromCospansToThreeArrows|HasFunctorFromSpansToCospans|HasFunctorFromSpansToThreeArrows|HasFunctorFromTerminalCategory|HasFunctorFromThreeArrowsToCospans|HasFunctorFromThreeArrowsToSpans|HasFunctorGetRidOfZeroGeneratorsLeft|HasFunctorGetRidOfZeroGeneratorsRight|HasFunctorLessGeneratorsLeft|HasFunctorLessGeneratorsRight|HasFunctorMorphismOperation|HasFunctorObjectOperation|HasFunctorStandardModuleLeft|HasFunctorStandardModuleRight|HasFundamentalGaps|HasFundamentalGapsOfNumericalSemigroup|HasFundamentalModules|HasFusionConjugacyClassesOp|HasFusionToTom|HasFusionsOfLibTom|HasFusionsToLibTom|HasFusionsTom|HasGLDegree|HasGLUnderlyingField|HasGaloisGroup|HasGaloisGroupOnRoots|HasGaloisMat|HasGaloisStabilizer|HasGaloisType|HasGamma|HasGap3CatalogueIdGroup|HasGapFroidurePin|HasGaps|HasGapsOfNumericalSemigroup|HasGeneralLinearRank|HasGeneralisedQuaternionGenerators|HasGeneralizedCoimageProjection|HasGeneralizedCokernelProjection|HasGeneralizedEmbeddingsInTotalDefects|HasGeneralizedEmbeddingsInTotalObjects|HasGeneralizedFareySequence|HasGeneralizedImageEmbedding|HasGeneralizedInverseByCospan|HasGeneralizedInverseBySpan|HasGeneralizedInverseByThreeArrows|HasGeneralizedKernelEmbedding|HasGeneralizedMorphismByCospansObject|HasGeneralizedMorphismBySpansObject|HasGeneralizedMorphismByThreeArrowsObject|HasGeneralizedMorphismCategoryByCospans|HasGeneralizedMorphismCategoryBySpans|HasGeneralizedMorphismCategoryByThreeArrows|HasGeneralizedPcgs|HasGeneratingAutomatonList|HasGeneratingAutomorphisms|HasGeneratingCat1Groups|HasGeneratingPairsOfAnyCongruence|HasGeneratingPairsOfLeftMagmaCongruence|HasGeneratingPairsOfMagmaCongruence|HasGeneratingPairsOfRightMagmaCongruence|HasGeneratingRecurList|HasGeneratingSetOfMultiplier|HasGeneratingSetWithNucleus|HasGeneratingSetWithNucleusAutom|HasGenerationOrder|HasGenerationPairs|HasGenerationTree|HasGeneratorMat|HasGeneratorPol|HasGenerators|HasGeneratorsImages|HasGeneratorsOfAdditiveGroup|HasGeneratorsOfAdditiveMagma|HasGeneratorsOfAdditiveMagmaWithInverses|HasGeneratorsOfAdditiveMagmaWithZero|HasGeneratorsOfAffineSemigroup|HasGeneratorsOfAlgebra|HasGeneratorsOfAlgebraModule|HasGeneratorsOfAlgebraWithOne|HasGeneratorsOfCayleyDigraph|HasGeneratorsOfCongruenceLattice|HasGeneratorsOfDivisionRing|HasGeneratorsOfDomain|HasGeneratorsOfEndomorphismMonoidAttr|HasGeneratorsOfEquivalenceRelationPartition|HasGeneratorsOfExtASet|HasGeneratorsOfExtLSet|HasGeneratorsOfExtRSet|HasGeneratorsOfExtUSet|HasGeneratorsOfFLMLOR|HasGeneratorsOfFLMLORWithOne|HasGeneratorsOfFRMachine|HasGeneratorsOfField|HasGeneratorsOfGroup|HasGeneratorsOfGroupoid|HasGeneratorsOfIdeal|HasGeneratorsOfIdealOfAffineSemigroup|HasGeneratorsOfIdealOfNumericalSemigroup|HasGeneratorsOfInverseMonoid|HasGeneratorsOfInverseSemigroup|HasGeneratorsOfKernelOfRingMap|HasGeneratorsOfLeftIdeal|HasGeneratorsOfLeftMagmaIdeal|HasGeneratorsOfLeftModule|HasGeneratorsOfLeftOperatorAdditiveGroup|HasGeneratorsOfLeftOperatorRing|HasGeneratorsOfLeftOperatorRingWithOne|HasGeneratorsOfLeftVectorSpace|HasGeneratorsOfLoop|HasGeneratorsOfMagma|HasGeneratorsOfMagmaIdeal|HasGeneratorsOfMagmaWithInverses|HasGeneratorsOfMagmaWithObjects|HasGeneratorsOfMagmaWithOne|HasGeneratorsOfMaximalLeftIdeal|HasGeneratorsOfMaximalRightIdeal|HasGeneratorsOfModulePoly|HasGeneratorsOfMonoid|HasGeneratorsOfMonoidWithObjects|HasGeneratorsOfMunnSemigroup|HasGeneratorsOfNearAdditiveGroup|HasGeneratorsOfNearAdditiveMagma|HasGeneratorsOfNearAdditiveMagmaWithInverses|HasGeneratorsOfNearAdditiveMagmaWithZero|HasGeneratorsOfNearRing|HasGeneratorsOfNearRingIdeal|HasGeneratorsOfNearRingLeftIdeal|HasGeneratorsOfNearRingRightIdeal|HasGeneratorsOfNumericalSemigroup|HasGeneratorsOfOrderTwo|HasGeneratorsOfPresentationIdeal|HasGeneratorsOfPrimeIdeal|HasGeneratorsOfQuasigroup|HasGeneratorsOfQuiver|HasGeneratorsOfRightIdeal|HasGeneratorsOfRightMagmaIdeal|HasGeneratorsOfRightModule|HasGeneratorsOfRightOperatorAdditiveGroup|HasGeneratorsOfRing|HasGeneratorsOfRingWithOne|HasGeneratorsOfRws|HasGeneratorsOfSemigroup|HasGeneratorsOfSemigroupIdeal|HasGeneratorsOfSemigroupWithObjects|HasGeneratorsOfSemiring|HasGeneratorsOfSemiringWithOne|HasGeneratorsOfSemiringWithOneAndZero|HasGeneratorsOfSemiringWithZero|HasGeneratorsOfStzPresentation|HasGeneratorsOfTwoSidedIdeal|HasGeneratorsOfVectorSpace|HasGeneratorsSmallest|HasGeneratorsSubgroupsTom|HasGenericModule|HasGenesis|HasGenus|HasGenusOfNumericalSemigroup|HasGeometryOfDiagram|HasGermData|HasGerms|HasGirthEdge|HasGlobalDimension|HasGlobalPartitionOfClasses|HasGoodGeneratorsIdealGS|HasGorensteinDimension|HasGrade|HasGradeIdeal|HasGradedAlgebraPresentationFamily|HasGradedLambdaHT|HasGradedLambdaOrbs|HasGradedRhoHT|HasGradedRhoOrbs|HasGradedTorsionFreeFactor|HasGrading|HasGramMatrix|HasGraphOfGraphInverseSemigroup|HasGraphOfGroupoidsOfWord|HasGraphOfGroupsOfWord|HasGraphOfGroupsRewritingSystem|HasGraphWithUnderlyingObjectsAsVertices|HasGreaseTab|HasGreensDClasses|HasGreensDRelation|HasGreensHClasses|HasGreensHRelation|HasGreensJClasses|HasGreensJRelation|HasGreensLClasses|HasGreensLRelation|HasGreensRClasses|HasGreensRRelation|HasGroebnerBasisFunction|HasGroebnerBasisOfIdeal|HasGroebnerBasisOfLeftIdeal|HasGroebnerBasisOfRightIdeal|HasGrothendieckGroup|HasGroupBases|HasGroupByPcgs|HasGroupClass|HasGroupElementRepOfNearRingElement|HasGroupGroupoid|HasGroupHClass|HasGroupHClassOfGreensDClass|HasGroupInfoForCharacterTable|HasGroupKernelOfNearRingWithOne|HasGroupName|HasGroupNucleus|HasGroupOfAutomFamily|HasGroupOfCayleyDigraph|HasGroupOfPcgs|HasGroupOfSelfSimFamily|HasGroupOfUnits|HasGroupReduct|HasGroupRelatorsOfPresentation|HasGroupoidsOfGraphOfGroupoids|HasGroupsOfGraphOfGroups|HasGroupsOfHigherDimensionalGroup|HasGrowthFunctionOfGroup|HasGrp|HasHAPDerivationFamily|HasHAPPRIME_HilbertSeries|HasHAPRingHomomorphismFamily|HasHAP_MultiplicativeGenerators|HasHClassReps|HasHClassType|HasHClasses|HasHKrules|HasHStarClasses|HasHStarRelation|HasHallSubgroup|HasHallSystem|HasHamiltonianPath|HasHasAntiautomorphicInverseProperty|HasHasAutomorphicInverseProperty|HasHasCommutingIdempotents|HasHasCongruenceProperty|HasHasConstantRank|HasHasFullCodomain|HasHasFullDomain|HasHasFullSCData|HasHasGraphWithUnderlyingObjectsAsVertices|HasHasIdentitiesAsReversedArrows|HasHasIdentityAsRangeAid|HasHasIdentityAsReversedArrow|HasHasIdentityAsSourceAid|HasHasInequalities|HasHasInvariantBasisProperty|HasHasInverseProperty|HasHasLeftInverseProperty|HasHasOpenSetConditionFRElement|HasHasOpenSetConditionFRSemigroup|HasHasRightInverseProperty|HasHasTwosidedInverses|HasHasWeakInverseProperty|HasHasZeroModuleProduct|HasHeadMap|HasHeadOfGraphOfGroupsWord|HasHeightOfPoset|HasHigherDimension|HasHighestWeightsAndVectors|HasHilbertFunction|HasHilbertPoincareSeries|HasHilbertPolynomial|HasHilbertPolynomialOfHilbertPoincareSeries|HasHirschLength|HasHnnExtensionInfo|HasHoles|HasHolesOfNumericalSemigroup|HasHolonomyGroup|HasHomeEnumerator|HasHomePcgs|HasHomographyGroup|HasHomom|HasHomomorphismOfPresentation|HasHomomorphismsOfStrongSemilatticeOfSemigroups|HasHonestRepresentative|HasHopfStructureTwist|HasHorizontalAction|HasHorizontalPreComposeFunctorWithNaturalTransformation|HasHorizontalPreComposeNaturalTransformationWithFunctor|HasHrules|HasIBr|HasINTERNAL_HOM_EMBEDDING_IN_TENSOR_PRODUCT_LEFT|HasINTERNAL_HOM_EMBEDDING_IN_TENSOR_PRODUCT_RIGHT|HasIS_IMPLIED_DIRECT_SUM|HasIYBBrace|HasIYBGroup|HasIdBrace|HasIdCat1Group|HasIdCycleSet|HasIdGroup|HasIdIrredSolMatrixGroup|HasIdIrreducibleSolubleMatrixGroup|HasIdIrreducibleSolvableMatrixGroup|HasIdLibraryNearRing|HasIdLibraryNearRingWithOne|HasIdPrimitiveSolubleGroup|HasIdPrimitiveSolvableGroup|HasIdQuasiCat1Group|HasIdSkewbrace|HasIdSmallSemigroup|HasIdYB|HasIdealGS|HasIdealOfQuotient|HasIdeals|HasIdempotentCreator|HasIdempotentDefinedByFactorobjectByCospan|HasIdempotentDefinedByFactorobjectBySpan|HasIdempotentDefinedByFactorobjectByThreeArrows|HasIdempotentDefinedBySubobjectByCospan|HasIdempotentDefinedBySubobjectBySpan|HasIdempotentDefinedBySubobjectByThreeArrows|HasIdempotentElements|HasIdempotentEndomorphismsData|HasIdempotentGeneratedSubsemigroup|HasIdempotentTester|HasIdempotents|HasIdempotentsTom|HasIdempotentsTomInfo|HasIdentificationOfConjugacyClasses|HasIdentifier|HasIdentifierOfMainTable|HasIdentifiersOfDuplicateTables|HasIdentitiesAmongRelators|HasIdentitiesAmongRelatorsKB|HasIdentitiesAsReversedArrows|HasIdentity|HasIdentityAsRangeAid|HasIdentityAsReversedArrow|HasIdentityAsSourceAid|HasIdentityDerivation|HasIdentityFunctor|HasIdentityMap|HasIdentityMapping|HasIdentityMorphism|HasIdentityRelatorSequences|HasIdentityRelatorSequencesKB|HasIdentitySection|HasIdentityTwoCell|HasIdentityYSequences|HasIdentityYSequencesKB|HasIgs|HasImageDensity|HasImageElementsOfRays|HasImageEmbedding|HasImageGenerators|HasImageInclusion|HasImageListOfPartialPerm|HasImageObject|HasImageObjectEmb|HasImageObjectEpi|HasImageOfPartialPermCollection|HasImageOfWhat|HasImagePolynomialRing|HasImageProjection|HasImageProjectionInclusion|HasImageRelations|HasImageSetOfPartialPerm|HasImageSetOfTransformation|HasImageSubobject|HasImagesList|HasImagesOfObjects|HasImagesOfRingMap|HasImagesOfRingMapAsColumnMatrix|HasImagesSmallestGenerators|HasImagesSource|HasImagesTable|HasImaginaryPart|HasImfRecord|HasImprimitivitySystems|HasInCcGroup|HasInDegreeOfVertex|HasInDegreeSequence|HasInDegreeSet|HasInDegrees|HasInLetter|HasInNeighbors|HasInNeighbours|HasIncidenceMat|HasIncidenceMatrixOfGeneralisedPolygon|HasInclusionInDoubleCosetMonoid|HasIncomingArrowsOfVertex|HasIncreasingOn|HasIndecInjectiveModules|HasIndecProjectiveModules|HasIndecomposableElements|HasIndependentGeneratorsOfAbelianGroup|HasIndeterminateAndExponentOfUnivariateMonomial|HasIndeterminateAntiCommutingVariablesOfExteriorRing|HasIndeterminateCoordinatesOfBiasedDoubleShiftAlgebra|HasIndeterminateCoordinatesOfDoubleShiftAlgebra|HasIndeterminateCoordinatesOfPseudoDoubleShiftAlgebra|HasIndeterminateCoordinatesOfRingOfDerivations|HasIndeterminateDegrees|HasIndeterminateDerivationsOfRingOfDerivations|HasIndeterminateName|HasIndeterminateNumberOfLaurentPolynomial|HasIndeterminateNumberOfUnivariateLaurentPolynomial|HasIndeterminateNumberOfUnivariateRationalFunction|HasIndeterminateNumbers|HasIndeterminateOfUnivariateRationalFunction|HasIndeterminateShiftsOfBiasedDoubleShiftAlgebra|HasIndeterminateShiftsOfDoubleShiftAlgebra|HasIndeterminateShiftsOfPseudoDoubleShiftAlgebra|HasIndeterminateShiftsOfRationalDoubleShiftAlgebra|HasIndeterminateShiftsOfRationalPseudoDoubleShiftAlgebra|HasIndeterminatesOfExteriorRing|HasIndeterminatesOfFunctionField|HasIndeterminatesOfGradedAlgebraPresentation|HasIndeterminatesOfPolynomial|HasIndeterminatesOfPolynomialRing|HasIndexInParent|HasIndexInSL2O|HasIndexInSL2Z|HasIndexInWholeGroup|HasIndexOfRegularity|HasIndexPeriod|HasIndexPeriodOfPartialPerm|HasIndicatorMatrixOfNonZeroEntries|HasIndicesCentralNormalSteps|HasIndicesChiefNormalSteps|HasIndicesEANormalSteps|HasIndicesInvolutaryGenerators|HasIndicesNormalSteps|HasIndicesOfAdjointBasis|HasIndicesPCentralNormalStepsPGroup|HasInducedNilpotentOrbits|HasInducedPcgsWrtFamilyPcgs|HasInducedPcgsWrtHomePcgs|HasInducedPcgsWrtSpecialPcgs|HasInequalities|HasInf|HasInfoText|HasInitialObject|HasInitialObjectFunctorial|HasInitialRewritingSystem|HasInjDimension|HasInjectionNormalizedPrincipalFactor|HasInjectionPrincipalFactor|HasInjectionZeroMagma|HasInjectiveDimension|HasInjectiveEnvelope|HasInjector|HasInjectorFunction|HasInnerActorXMod|HasInnerAutomorphismGroup|HasInnerAutomorphismGroupQuandle|HasInnerAutomorphismGroupQuandleAsPerm|HasInnerAutomorphismNearRingByCommutatorsFlag|HasInnerAutomorphismNearRingFlag|HasInnerAutomorphisms|HasInnerAutomorphismsAutomorphismGroup|HasInnerDistribution|HasInnerMappingGroup|HasInnerMorphism|HasInputSignature|HasInstallBlueprints|HasInt|HasIntFFE|HasIntFFESymm|HasIntRepOfBipartition|HasIntegerDefiningPolynomial|HasIntegerPrimitiveElement|HasIntegralConjugate|HasIntegralizingConjugator|HasIntermultMap|HasIntermultMapIDs|HasIntermultPairs|HasIntermultPairsIDs|HasIntermultTable|HasInternalBasis|HasInternalRepGreensRelation|HasInternalRepStarRelation|HasInterpretMorphismAsMorphismFromDistinguishedObjectToHomomorphismStructure|HasIntertwiner|HasInvariantBasisProperty|HasInvariantBilinearForm|HasInvariantConjugateSubgroup|HasInvariantForm|HasInvariantLattice|HasInvariantQuadraticForm|HasInvariantSesquilinearForm|HasInvariantSubNearRings|HasInvariants|HasInverse|HasInverseAttr|HasInverseClasses|HasInverseGeneralMapping|HasInverseGeneratorsOfFpGroup|HasInverseImmutable|HasInverseMapping|HasInverseMorphismFromCoimageToImage|HasInverseOfGeneralizedMorphismWithFullDomain|HasInverseProperty|HasInverseRelatorsOfPresentation|HasInverseRingHomomorphism|HasInverseSemigroupCongruenceClassByKernelTraceType|HasInvolutiveCompatibilityCocycle|HasInvolutoryArcs|HasIrr|HasIrrBaumClausen|HasIrrConlon|HasIrrDixonSchneider|HasIrrFacsAlgExtPol|HasIrrFacsPol|HasIrreducibleFactors|HasIrreducibleQuotient|HasIrreducibleRepresentations|HasIrreducibleRepresentations@FR|HasIrrelevantIdealColumnMatrix|HasIs1AffineComplete|HasIs1GeneratedSemigroup|HasIs1IdempotentSemigroup|HasIs2DimensionalGroup|HasIs2DimensionalMagmaGeneralMapping|HasIs2DimensionalMagmaMorphism|HasIs2DimensionalMapping|HasIs2DimensionalMonoidMorphism|HasIs2DimensionalSemigroupMorphism|HasIs2GeneratedSemigroup|HasIs2IdempotentSemigroup|HasIs2Sided|HasIs2TameNGroup|HasIs2dAlgebraObject|HasIs3DimensionalGroup|HasIs3GeneratedSemigroup|HasIs3IdempotentSemigroup|HasIs3TameNGroup|HasIs4GeneratedSemigroup|HasIs4IdempotentSemigroup|HasIs5GeneratedSemigroup|HasIs5IdempotentSemigroup|HasIs6GeneratedSemigroup|HasIs6IdempotentSemigroup|HasIs7GeneratedSemigroup|HasIs7IdempotentSemigroup|HasIs8GeneratedSemigroup|HasIs8IdempotentSemigroup|HasIsACompleteIntersectionNumericalSemigroup|HasIsALoop|HasIsATwoSequence|HasIsAbCategory|HasIsAbCp|HasIsAbelian|HasIsAbelian2DimensionalGroup|HasIsAbelian3DimensionalGroup|HasIsAbelianCategory|HasIsAbelianCategoryWithEnoughInjectives|HasIsAbelianCategoryWithEnoughProjectives|HasIsAbelianModule|HasIsAbelianModule2DimensionalGroup|HasIsAbelianNearRing|HasIsAbelianNumberField|HasIsAbelianTom|HasIsAbsolutelyIrreducibleMatrixGroup|HasIsAbstractAffineNearRing|HasIsActingOnBinaryTree|HasIsActingOnRegularTree|HasIsActingSemigroupWithFixedDegreeMultiplication|HasIsAcute|HasIsAcuteNumericalSemigroup|HasIsAcyclic|HasIsAcyclicDigraph|HasIsAcyclicQuiver|HasIsAdditiveCategory|HasIsAdditiveGroupGeneralMapping|HasIsAdditiveGroupHomomorphism|HasIsAdditiveGroupToGroupGeneralMapping|HasIsAdditiveGroupToGroupHomomorphism|HasIsAdditivelyCommutative|HasIsAdmissibleIdeal|HasIsAdmissibleOrdering|HasIsAdmissibleQuotientOfPathAlgebra|HasIsAffineCode|HasIsAffineCrystGroupOnLeft|HasIsAffineCrystGroupOnLeftOrRight|HasIsAffineCrystGroupOnRight|HasIsAffineSemigroupByEquations|HasIsAffineSemigroupByGenerators|HasIsAffineSemigroupByMinimalGenerators|HasIsAlgebraAction|HasIsAlgebraGeneralMapping|HasIsAlgebraHomomorphism|HasIsAlgebraModule|HasIsAlgebraWithOneGeneralMapping|HasIsAlgebraWithOneHomomorphism|HasIsAlmostAffineCode|HasIsAlmostBieberbachGroup|HasIsAlmostCanonical|HasIsAlmostCrystallographic|HasIsAlmostSimpleCharacterTable|HasIsAlmostSimpleGroup|HasIsAlmostSymmetric|HasIsAlmostSymmetricNumericalSemigroup|HasIsAlternatingForm|HasIsAlternatingGroup|HasIsAlternative|HasIsAmenable|HasIsAmenableGroup|HasIsAntiSymmetricBooleanMat|HasIsAntiSymmetricDigraph|HasIsAnticommutative|HasIsAntisymmetricBinaryRelation|HasIsAntisymmetricDigraph|HasIsAntisymmetricFRElement|HasIsAperiodicDigraph|HasIsAperiodicSemigroup|HasIsAperySetAlphaRectangular|HasIsAperySetBetaRectangular|HasIsAperySetGammaRectangular|HasIsArf|HasIsArfNumericalSemigroup|HasIsArtinian|HasIsAscendingLPresentation|HasIsAspherical2DimensionalGroup|HasIsAssociative|HasIsAutomatonGroup|HasIsAutomatonSemigroup|HasIsAutomorphicLoop|HasIsAutomorphism|HasIsAutomorphism2DimensionalDomain|HasIsAutomorphismGroup|HasIsAutomorphismGroup2DimensionalGroup|HasIsAutomorphismGroup3DimensionalGroup|HasIsAutomorphismGroupOfGroupoid|HasIsAutomorphismGroupOfRMSOrRZMS|HasIsAutomorphismGroupOfSkewbrace|HasIsAutomorphismHigherDimensionalDomain|HasIsAutomorphismOfHomogeneousDiscreteGroupoid|HasIsAutomorphismPermGroupOfXMod|HasIsAutomorphismWithObjects|HasIsBaer|HasIsBalanced|HasIsBand|HasIsBasicAlgebra|HasIsBasicWreathProductOrdering|HasIsBasisOfColumnsMatrix|HasIsBasisOfLieAlgebraOfGroupRing|HasIsBasisOfRowsMatrix|HasIsBergerCondition|HasIsBezoutRing|HasIsBiCoset|HasIsBiSkewbrace|HasIsBiasedDoubleShiftAlgebra|HasIsBicomplex|HasIsBiconnectedDigraph|HasIsBijective|HasIsBijectiveObject|HasIsBijectiveOnObjects|HasIsBipartiteDigraph|HasIsBipartitionPBR|HasIsBiquandle|HasIsBireversible|HasIsBisequence|HasIsBlockBijection|HasIsBlockBijectionMonoid|HasIsBlockBijectionPBR|HasIsBlockBijectionSemigroup|HasIsBlockGroup|HasIsBooleanNearRing|HasIsBounded|HasIsBoundedFRElement|HasIsBoundedFRMachine|HasIsBoundedFRSemigroup|HasIsBraidedMonoidalCategory|HasIsBranched|HasIsBranchingSubgroup|HasIsBrandtSemigroup|HasIsBravaisGroup|HasIsBridgelessDigraph|HasIsBuiltFromAdditiveMagmaWithInverses|HasIsBuiltFromGroup|HasIsBuiltFromMagma|HasIsBuiltFromMagmaWithInverses|HasIsBuiltFromMagmaWithOne|HasIsBuiltFromMonoid|HasIsBuiltFromSemigroup|HasIsCCLoop|HasIsCFGroupAlgebra|HasIsCLoop|HasIsCPTGroup|HasIsCanonicalAlgebra|HasIsCanonicalBasis|HasIsCanonicalBasisFullMatrixModule|HasIsCanonicalBasisFullRowModule|HasIsCanonicalBasisFullSCAlgebra|HasIsCanonicalIdeal|HasIsCanonicalIdealOfNumericalSemigroup|HasIsCanonicalNiceMonomorphism|HasIsCanonicalPcgs|HasIsCanonicalPcgsWrtSpecialPcgs|HasIsCanonicalPolarSpace|HasIsCapable|HasIsCat1Algebra|HasIsCat1AlgebraMorphism|HasIsCat1Group|HasIsCat1GroupMorphism|HasIsCat1Groupoid|HasIsCat2Group|HasIsCat2GroupMorphism|HasIsCat3Group|HasIsCategoryArrow|HasIsCategoryName|HasIsCategoryObject|HasIsCatnGroup|HasIsCatnGroupMorphism|HasIsCcGroup|HasIsCentralExtension2DimensionalGroup|HasIsCentralExtension3DimensionalGroup|HasIsCentralFactor|HasIsChainDigraph|HasIsChainMorphismForPullback|HasIsChainMorphismForPushout|HasIsChamberOfIncidenceStructure|HasIsCharacter|HasIsCharacteristicInParent|HasIsCircularDesign|HasIsClassReflection|HasIsClassRotation|HasIsClassShift|HasIsClassTransposition|HasIsClassWiseOrderPreserving|HasIsClassWiseTranslating|HasIsClassical|HasIsCliffordSemigroup|HasIsClosedMonoidalCategory|HasIsClosedUnderComposition|HasIsCoclosedMonoidalCategory|HasIsCodeLoop|HasIsCohenMacaulay|HasIsColTrimBooleanMat|HasIsCollineation|HasIsCollineationGroup|HasIsColorGroup|HasIsCombinatorialSemigroup|HasIsCommutative|HasIsCommutativeFamily|HasIsCommutativeSemigroup|HasIsCompactForm|HasIsCompatible|HasIsCompatibleEndoMapping|HasIsCompleteBipartiteDigraph|HasIsCompleteDigraph|HasIsCompleteGroebnerBasis|HasIsCompleteIntersection|HasIsCompleteMultipartiteDigraph|HasIsCompletePurityFiltration|HasIsCompletelyReducedGroebnerBasis|HasIsCompletelyRegularSemigroup|HasIsCompletelySimpleSemigroup|HasIsComplex|HasIsConfiguration|HasIsConfluent|HasIsCongruenceFreeSemigroup|HasIsCongruenceSubgroupGamma0|HasIsCongruenceSubgroupGamma1|HasIsCongruenceSubgroupGammaMN|HasIsCongruenceSubgroupGammaUpper0|HasIsCongruenceSubgroupGammaUpper1|HasIsConjugacyClosedLoop|HasIsConjugatePermutableInParent|HasIsConjugatorAutomorphism|HasIsConjugatorIsomorphism|HasIsConnected|HasIsConnectedDigraph|HasIsConnectedQuiver|HasIsConnectedTransformationSemigroup|HasIsConstantEndoMapping|HasIsConstantOnObjects|HasIsConstantRationalFunction|HasIsConstantTimeAccessGeneralMapping|HasIsConstellation|HasIsContracting|HasIsConvergent|HasIsCorrelation|HasIsCotiltingModule|HasIsCp|HasIsCrossedPairing|HasIsCrossedSquare|HasIsCrossedSquareMorphism|HasIsCrystTranslationSubGroup|HasIsCubeFreeInt|HasIsCycInt|HasIsCyclGroupAlgebra|HasIsCycleDigraph|HasIsCyclic|HasIsCyclicCode|HasIsCyclicGenerator|HasIsCyclicTom|HasIsCyclotomicField|HasIsCyclotomicNumericalSemigroup|HasIsDStarClass|HasIsDTrivial|HasIsDedekindDomain|HasIsDegenerateForm|HasIsDerivation|HasIsDgNearRing|HasIsDiagonalFRElement|HasIsDiagonalMatrix|HasIsDiassociative|HasIsDigraphCore|HasIsDihedralGroup|HasIsDirectProductClosed|HasIsDirectProductWithCompleteDigraph|HasIsDirectProductWithCompleteDigraphDomain|HasIsDirectedTree|HasIsDiscreteDomainWithObjects|HasIsDiscreteMagmaWithObjects|HasIsDiscreteValuationRing|HasIsDistanceRegularDigraph|HasIsDistributive|HasIsDistributiveAlgebra|HasIsDistributiveNearRing|HasIsDivisionRing|HasIsDivisionRingForHomalg|HasIsDoubleCosetRewritingSystem|HasIsDoubleShiftAlgebra|HasIsDoublyEvenCode|HasIsDualTransBipartition|HasIsDualTransformationPBR|HasIsDuplicateFree|HasIsDuplicateFreeList|HasIsDuplicateTable|HasIsDynkinQuiver|HasIsEUnitaryInverseSemigroup|HasIsEdgeTransitive|HasIsElementOfIntegers|HasIsElementaryAbelian|HasIsElementaryAlgebra|HasIsEllipticForm|HasIsEllipticQuadric|HasIsEmpty|HasIsEmptyDigraph|HasIsEmptyFlag|HasIsEmptyMatrix|HasIsEmptyPBR|HasIsEndo2DimensionalMapping|HasIsEndoGeneral2DimensionalMapping|HasIsEndoGeneralHigherDimensionalMapping|HasIsEndoGeneralMapping|HasIsEndoGeneralMappingWithObjects|HasIsEndoHigherDimensionalMapping|HasIsEndoMapping|HasIsEndoMappingWithObjects|HasIsEndomorphism|HasIsEndomorphism2DimensionalDomain|HasIsEndomorphismHigherDimensionalDomain|HasIsEndomorphismWithObjects|HasIsEndowedWithDifferential|HasIsEnrichedOverCommutativeRegularSemigroup|HasIsEntropic|HasIsEnumeratorOfSmallSemigroups|HasIsEnvelopingAlgebra|HasIsEpimorphism|HasIsEquippedWithHomomorphismStructure|HasIsEquivalenceBooleanMat|HasIsEquivalenceDigraph|HasIsEquivalenceRelation|HasIsEulerianDigraph|HasIsEvenCode|HasIsExactSequence|HasIsExactTriangle|HasIsExceptionalModule|HasIsExteriorPower|HasIsExteriorPowerElement|HasIsExteriorRing|HasIsExtraLoop|HasIsFInverseMonoid|HasIsFInverseSemigroup|HasIsFModularGroupAlgebra|HasIsFactorisableInverseMonoid|HasIsFactorobject|HasIsFaithful2DimensionalGroup|HasIsFamilyPcgs|HasIsField|HasIsFieldForHomalg|HasIsFieldHomomorphism|HasIsFiltration|HasIsFinalized|HasIsFinitaryFRElement|HasIsFinitaryFRMachine|HasIsFinitaryFRSemigroup|HasIsFinite|HasIsFiniteDifference|HasIsFiniteDimensional|HasIsFiniteFreePresentationRing|HasIsFiniteGlobalDimensionAlgebra|HasIsFiniteGroupLinearRepresentation|HasIsFiniteGroupPermutationRepresentation|HasIsFiniteOrdersPcgs|HasIsFiniteSemigroupGreensRelation|HasIsFiniteSemigroupStarRelation|HasIsFiniteState|HasIsFiniteStateFRElement|HasIsFiniteStateFRMachine|HasIsFiniteStateFRSemigroup|HasIsFiniteTypeAlgebra|HasIsFinitelyGeneratedGroup|HasIsFinitelyGeneratedMagma|HasIsFinitelyGeneratedMonoid|HasIsFinitelyPresentable|HasIsFirmGeometry|HasIsFittingClass|HasIsFittingFormation|HasIsFlagTransitiveGeometry|HasIsFlatKernelOfTransformation|HasIsFlexible|HasIsFp2DimensionalGroup|HasIsFp3DimensionalGroup|HasIsFpGroupoid|HasIsFpHigherDimensionalGroup|HasIsFpMonoidReducedElt|HasIsFpPathAlgebraModule|HasIsFpPreXModWithObjects|HasIsFpSemigpReducedElt|HasIsFpWeightedDigraph|HasIsFractal|HasIsFractalByWords|HasIsFrattiniFree|HasIsFree|HasIsFreeAbelian|HasIsFreeAlgebra|HasIsFreeAssociativeAlgebra|HasIsFreeBand|HasIsFreeGroupoid|HasIsFreeInverseSemigroup|HasIsFreeMonoid|HasIsFreeNumericalSemigroup|HasIsFreePolynomialRing|HasIsFreeProductWithAmalgamation|HasIsFreeSemigroup|HasIsFreeXMod|HasIsFromAffineCrystGroupToFpGroup|HasIsFromAffineCrystGroupToPcpGroup|HasIsFull|HasIsFullAffineSemigroup|HasIsFullFpAlgebra|HasIsFullFpPathAlgebra|HasIsFullHomModule|HasIsFullMatrixModule|HasIsFullMatrixMonoid|HasIsFullRowModule|HasIsFullSCAlgebra|HasIsFullSubgroupGLorSLRespectingBilinearForm|HasIsFullSubgroupGLorSLRespectingQuadraticForm|HasIsFullSubgroupGLorSLRespectingSesquilinearForm|HasIsFullTransformationNearRing|HasIsFullTransformationSemigroup|HasIsFullTransformationSemigroupCopy|HasIsFullinvariantInParent|HasIsFunctionalDigraph|HasIsGL|HasIsGOuterGroup|HasIsGOuterGroupHomomorphism|HasIsGammaSubgroupInSL3Z|HasIsGeneralLinearGroup|HasIsGeneralLinearMonoid|HasIsGeneralMappingFromHomogeneousDiscrete|HasIsGeneralMappingFromSinglePiece|HasIsGeneralMappingToSinglePiece|HasIsGeneralisedQuaternionGroup|HasIsGeneralizedAlmostSymmetric|HasIsGeneralizedCartanMatrix|HasIsGeneralizedClassTransposition|HasIsGeneralizedEpimorphism|HasIsGeneralizedGorenstein|HasIsGeneralizedIsomorphism|HasIsGeneralizedMonomorphism|HasIsGeneralizedMorphismWithFullDomain|HasIsGeneratedByAutomatonOfPolynomialGrowth|HasIsGeneratedByBoundedAutomaton|HasIsGeneratorsOfActingSemigroup|HasIsGeneratorsOfInverseSemigroup|HasIsGeneratorsOfMagmaWithInverses|HasIsGeneratorsOfSemigroup|HasIsGeneric|HasIsGenericAffineSemigroup|HasIsGenericNumericalSemigroup|HasIsGentleAlgebra|HasIsGlobalDimensionFinite|HasIsGoodSemigroupByAmalgamation|HasIsGoodSemigroupByCartesianProduct|HasIsGoodSemigroupByDuplication|HasIsGorenstein|HasIsGorensteinAlgebra|HasIsGradation|HasIsGradedAssociatedRingNumericalSemigroupBuchsbaum|HasIsGradedAssociatedRingNumericalSemigroupCI|HasIsGradedAssociatedRingNumericalSemigroupCM|HasIsGradedAssociatedRingNumericalSemigroupGorenstein|HasIsGradedLambdaOrbs|HasIsGradedMorphism|HasIsGradedObject|HasIsGradedRhoOrbs|HasIsGraphInverseSemigroup|HasIsGraphInverseSubsemigroup|HasIsGraphOfFpGroupoids|HasIsGraphOfFpGroups|HasIsGraphOfGroupoidsWord|HasIsGraphOfGroupsWord|HasIsGraphOfPcGroupoids|HasIsGraphOfPcGroups|HasIsGraphOfPermGroupoids|HasIsGraphOfPermGroups|HasIsGreensClassNC|HasIsGreensDGreaterThanFunc|HasIsGriesmerCode|HasIsGroupAlgebra|HasIsGroupAsSemigroup|HasIsGroupClass|HasIsGroupFRMachine|HasIsGroupGeneralMapping|HasIsGroupHClass|HasIsGroupHomomorphism|HasIsGroupOfAutomFamily|HasIsGroupOfAutomorphisms|HasIsGroupOfAutomorphismsFiniteGroup|HasIsGroupOfGroupoidAutomorphisms|HasIsGroupOfSelfSimFamily|HasIsGroupRing|HasIsGroupToAdditiveGroupGeneralMapping|HasIsGroupToAdditiveGroupHomomorphism|HasIsGroupWithObjectsHomomorphism|HasIsGroupoidAutomorphismByGroupAuto|HasIsGroupoidAutomorphismByObjectPerm|HasIsGroupoidAutomorphismByPiecesPerm|HasIsGroupoidAutomorphismByRayShifts|HasIsGroupoidByIsomorphisms|HasIsGroupoidCoset|HasIsGroupoidHomomorphismFromHomogeneousDiscrete|HasIsGroupoidHomomorphismWithGroupoidByIsomorphisms|HasIsGroupoidWithMonoidObjects|HasIsHAPRationalMatrixGroup|HasIsHAPRationalSpecialLinearGroup|HasIsHStarClass|HasIsHTrivial|HasIsHamiltonianDigraph|HasIsHandledByNiceMonomorphism|HasIsHasseDiagram|HasIsHereditary|HasIsHereditaryAlgebra|HasIsHermite|HasIsHermitianPolarSpace|HasIsHermitianPolarityOfProjectiveSpace|HasIsHigherDimensionalMagmaGeneralMapping|HasIsHigherDimensionalMagmaMorphism|HasIsHigherDimensionalMapping|HasIsHigherDimensionalMonoidMorphism|HasIsHigherDimensionalSemigroupMorphism|HasIsHnnExtension|HasIsHolonomic|HasIsHomogeneousDiscreteGroupoid|HasIsHomogeneousDomainWithObjects|HasIsHomogeneousElement|HasIsHomogeneousGroebnerBasis|HasIsHomogeneousNumericalSemigroup|HasIsHomogeneousQuandle|HasIsHomogeneousRingElement|HasIsHomomorphismFromSinglePiece|HasIsHomomorphismIntoMatrixGroup|HasIsHomomorphismToSinglePiece|HasIsHomsetCosets|HasIsHonest|HasIsHyperbolicForm|HasIsHyperbolicQuadric|HasIsIRAutomaton|HasIsIdealInParent|HasIsIdealInPathAlgebra|HasIsIdealOfQuadraticIntegers|HasIsIdempotent|HasIsIdempotentGenerated|HasIsIdenticalToIdentityMorphism|HasIsIdenticalToZeroMorphism|HasIsIdentityCat1Algebra|HasIsIdentityCat2Group|HasIsIdentityMapping|HasIsIdentityMorphism|HasIsIdentityPBR|HasIsIdentityPreCat1Group|HasIsImageSquare|HasIsImpossible|HasIsInRegularDigraph|HasIsIndecomposableModule|HasIsInducedFromNormalSubgroup|HasIsInducedPcgsWrtSpecialPcgs|HasIsInducedXMod|HasIsInfiniteAbelianizationGroup|HasIsInfinitelyTransitive|HasIsInitial|HasIsInjective|HasIsInjectiveCogenerator|HasIsInjectiveComplex|HasIsInjectiveModule|HasIsInjectiveOnObjects|HasIsInjectivePresentation|HasIsInnerAutomorphism|HasIsIntegerMatrixGroup|HasIsIntegersForHomalg|HasIsIntegral|HasIsIntegralBasis|HasIsIntegralCyclotomic|HasIsIntegralDomain|HasIsIntegralNearRing|HasIsIntegralRing|HasIsIntegrallyClosedDomain|HasIsIntegrated|HasIsIntersectionOfCongruenceSubgroups|HasIsInvariantLPresentation|HasIsInverseSemigroup|HasIsInvertible|HasIsInvertibleMatrix|HasIsInvolutive|HasIsIrreducibleCharacter|HasIsIrreducibleHomalgRingElement|HasIsIrreducibleMatrixGroup|HasIsIrreducibleNumericalSemigroup|HasIsIrreducibleVHGroup|HasIsIsomorphism|HasIsIsomorphismByFinitePolycyclicMatrixGroup|HasIsIsomorphismByPolycyclicMatrixGroup|HasIsIsomorphismOfLieAlgebras|HasIsIteratorOfSmallSemigroups|HasIsJStarClass|HasIsJacobianRing|HasIsJacobsonRadical|HasIsJoinSemilatticeDigraph|HasIsJustInfinite|HasIsKaplanskyHermite|HasIsKernelSquare|HasIsKoszul|HasIsKroneckerAlgebra|HasIsLCCLoop|HasIsLCLoop|HasIsLDistributive|HasIsLStarClass|HasIsLTrivial|HasIsLambekPairOfSquares|HasIsLatinQuandle|HasIsLatticeDigraph|HasIsLatticeOrderBinaryRelation|HasIsLaurentPolynomial|HasIsLeftALoop|HasIsLeftActedOnByDivisionRing|HasIsLeftAcyclic|HasIsLeftAlgebraModule|HasIsLeftAlternative|HasIsLeftArtinian|HasIsLeftAutomorphicLoop|HasIsLeftBolLoop|HasIsLeftBruckLoop|HasIsLeftConjugacyClosedLoop|HasIsLeftDistributive|HasIsLeftFiniteFreePresentationRing|HasIsLeftFree|HasIsLeftGlobalDimensionFinite|HasIsLeftHereditary|HasIsLeftHermite|HasIsLeftIdealInParent|HasIsLeftInvertibleMatrix|HasIsLeftKLoop|HasIsLeftMinimal|HasIsLeftModuleGeneralMapping|HasIsLeftModuleHomomorphism|HasIsLeftNilpotent|HasIsLeftNoetherian|HasIsLeftNonDegenerate|HasIsLeftNuclearSquareLoop|HasIsLeftOreDomain|HasIsLeftPathAlgebraModuleGroebnerBasis|HasIsLeftPowerAlternative|HasIsLeftPrincipalIdealRing|HasIsLeftRegular|HasIsLeftSemigroupCongruence|HasIsLeftSemigroupIdeal|HasIsLeftSimple|HasIsLeftTransitive|HasIsLeftZeroSemigroup|HasIsLevelTransitive|HasIsLevelTransitiveFRElement|HasIsLevelTransitiveFRGroup|HasIsLevelTransitiveOnPatterns|HasIsLieAbelian|HasIsLieAlgebra|HasIsLieAlgebraOfGroupRing|HasIsLieAlgebraWithNB|HasIsLieCentreByMetabelian|HasIsLieCover|HasIsLieMetabelian|HasIsLieNilpotent|HasIsLieNilpotentOverFp|HasIsLiePRing|HasIsLieSolvable|HasIsLinearCategoryOverCommutativeRing|HasIsLinearCode|HasIsLinearRepresentation|HasIsLinearlyPrimitive|HasIsLinearqClan|HasIsListOfIntegers|HasIsLocal|HasIsLocalizedWeylRing|HasIsLocallyOfFiniteInjectiveDimension|HasIsLocallyOfFiniteProjectiveDimension|HasIsLowerStairCaseMatrix|HasIsLowerTriangularFRElement|HasIsLowerTriangularMatrix|HasIsMDReduced|HasIsMDSCode|HasIsMDTrivial|HasIsMED|HasIsMEDNumericalSemigroup|HasIsMPFRFloatFamily|HasIsMTS|HasIsMTSE|HasIsMagmaHomomorphism|HasIsMagmaWithObjectsGeneralMapping|HasIsMagmaWithObjectsHomomorphism|HasIsMalcevPcpElement|HasIsMapping|HasIsMapping2ArgumentsByFunction|HasIsMappingToGroupWithGGRWS|HasIsMappingWithObjects|HasIsMappingWithObjectsByFunction|HasIsMatrixGroupoid|HasIsMatrixModule|HasIsMatrixOverGradedRingWithHomogeneousEntries|HasIsMaximalAbsolutelyIrreducibleSolubleMatrixGroup|HasIsMaximalNearRingIdeal|HasIsMcAlisterTripleSemigroup|HasIsMedial|HasIsMeetSemilatticeDigraph|HasIsMember|HasIsMiddleALoop|HasIsMiddleAutomorphicLoop|HasIsMiddleNuclearSquareLoop|HasIsMinimalIdeal|HasIsMinimalNonmonomial|HasIsMinimized|HasIsMinusOne|HasIsModularNearRingRightIdeal|HasIsModularNumericalSemigroup|HasIsModuleOfGlobalSectionsTruncatedAtCertainDegree|HasIsMonic|HasIsMonicUptoUnit|HasIsMonogenic|HasIsMonogenicInverseMonoid|HasIsMonogenicInverseSemigroup|HasIsMonogenicMonoid|HasIsMonogenicSemigroup|HasIsMonoid|HasIsMonoidAsSemigroup|HasIsMonoidFRMachine|HasIsMonoidOfDerivations|HasIsMonoidOfSections|HasIsMonoidOfUp2DimensionalMappings|HasIsMonoidPresentationFpGroup|HasIsMonoidWithObjectsHomomorphism|HasIsMonoidalCategory|HasIsMonomialAlgebra|HasIsMonomialCharacter|HasIsMonomialCharacterTable|HasIsMonomialGroup|HasIsMonomialIdeal|HasIsMonomialMatrix|HasIsMonomialNumber|HasIsMonomialNumericalSemigroup|HasIsMonomorphism|HasIsMorphism|HasIsMoufangLoop|HasIsMpure|HasIsMpureNumericalSemigroup|HasIsMultGroupByFieldElemsIsomorphism|HasIsMultSemigroupOfNearRing|HasIsMultiDigraph|HasIsMultipermutation|HasIsMultipleAlgebra|HasIsN0SimpleNGroup|HasIsNGroup|HasIsNInfinity|HasIsNaN|HasIsNakayamaAlgebra|HasIsNaturalAlternatingGroup|HasIsNaturalCT|HasIsNaturalCTP_Z|HasIsNaturalCT_GFqx|HasIsNaturalCT_Z|HasIsNaturalCT_Z_pi|HasIsNaturalCT_ZxZ|HasIsNaturalGL|HasIsNaturalRCWA|HasIsNaturalRCWA_GFqx|HasIsNaturalRCWA_OR_CT|HasIsNaturalRCWA_Z|HasIsNaturalRCWA_Z_pi|HasIsNaturalRCWA_ZxZ|HasIsNaturalRcwa|HasIsNaturalRcwaRepresentationOfGLOrSL|HasIsNaturalSL|HasIsNaturalSymmetricGroup|HasIsNearField|HasIsNearRing|HasIsNearRingIdeal|HasIsNearRingLeftIdeal|HasIsNearRingRightIdeal|HasIsNearRingWithOne|HasIsNearlyGorenstein|HasIsNilElement|HasIsNilNearRing|HasIsNilpQuotientSystem|HasIsNilpotent2DimensionalGroup|HasIsNilpotentAlgebra|HasIsNilpotentBasis|HasIsNilpotentByFinite|HasIsNilpotentCharacterTable|HasIsNilpotentFreeNearRing|HasIsNilpotentGroup|HasIsNilpotentNearRing|HasIsNilpotentSemigroup|HasIsNilpotentTom|HasIsNoetherian|HasIsNonDegenerate|HasIsNonTrivial|HasIsNonZeroRing|HasIsNonabelianSimpleGroup|HasIsNontrivialDirectProduct|HasIsNormalBasis|HasIsNormalCode|HasIsNormalForm|HasIsNormalInParent|HasIsNormalProductClosed|HasIsNormalSub3DimensionalGroup|HasIsNormalSubgroup2DimensionalGroup|HasIsNormalSubgroupClosed|HasIsNormallyMonomial|HasIsNuclearSquareLoop|HasIsNullDigraph|HasIsNumberField|HasIsNumberFieldByMatrices|HasIsNumeratorParentPcgsFamilyPcgs|HasIsNumericalSemigroupAssociatedIrreduciblePlanarCurveSingularity|HasIsNumericalSemigroupByAperyList|HasIsNumericalSemigroupByFundamentalGaps|HasIsNumericalSemigroupByGaps|HasIsNumericalSemigroupByGenerators|HasIsNumericalSemigroupByInterval|HasIsNumericalSemigroupByOpenInterval|HasIsNumericalSemigroupBySmallElements|HasIsNumericalSemigroupBySubAdditiveFunction|HasIsObviouslyFiniteState|HasIsOfAbelianType|HasIsOfNilpotentType|HasIsOfPolynomialGrowth|HasIsOne|HasIsOntoBooleanMat|HasIsOppositeAlgebra|HasIsOrderingOnFamilyOfAssocWords|HasIsOrdinary|HasIsOrdinaryFormation|HasIsOrdinaryNumericalSemigroup|HasIsOreDomain|HasIsOrthodoxSemigroup|HasIsOrthogonalForm|HasIsOrthogonalPolarityOfProjectiveSpace|HasIsOsbornLoop|HasIsOutRegularDigraph|HasIsOuterPlanarDigraph|HasIsOverlappingFree|HasIsPGroup|HasIsPInfinity|HasIsPMNearRing|HasIsPModularGroupAlgebra|HasIsPNilpotent|HasIsPQuotientSystem|HasIsPSL|HasIsPSNTGroup|HasIsPSTGroup|HasIsPSolvable|HasIsPSupersolvable|HasIsPTGroup|HasIsParabolicForm|HasIsParabolicQuadric|HasIsParentLiePRing|HasIsParentPcgsFamilyPcgs|HasIsPartialOrderBinaryRelation|HasIsPartialOrderBooleanMat|HasIsPartialOrderDigraph|HasIsPartialPermBipartition|HasIsPartialPermBipartitionMonoid|HasIsPartialPermBipartitionSemigroup|HasIsPartialPermPBR|HasIsPathAlgebraMatModule|HasIsPathAlgebraModule|HasIsPathRing|HasIsPc2DimensionalGroup|HasIsPc3DimensionalGroup|HasIsPcGroupoid|HasIsPcHigherDimensionalGroup|HasIsPcPreXModWithObjects|HasIsPcgsAutomorphisms|HasIsPcgsCentralSeries|HasIsPcgsChiefSeries|HasIsPcgsElementaryAbelianSeries|HasIsPcgsPCentralSeriesPGroup|HasIsPerfectCharacterTable|HasIsPerfectCode|HasIsPerfectGroup|HasIsPerfectTom|HasIsPeriodic|HasIsPerm2DimensionalGroup|HasIsPerm3DimensionalGroup|HasIsPermBipartition|HasIsPermBipartitionGroup|HasIsPermGroupoid|HasIsPermHigherDimensionalGroup|HasIsPermPBR|HasIsPermPreCat1GroupMorphism|HasIsPermPreXModMorphism|HasIsPermPreXModWithObjects|HasIsPermutableInParent|HasIsPermutationMatrix|HasIsPlanarDigraph|HasIsPlanarNearRing|HasIsPointGroup|HasIsPointHomomorphism|HasIsPolycyclicGroup|HasIsPolycyclicPresentation|HasIsPolynomial|HasIsPolynomialCollector|HasIsPolynomialGrowthFRElement|HasIsPolynomialGrowthFRMachine|HasIsPolynomialGrowthFRSemigroup|HasIsPosetAlgebra|HasIsPositionsList|HasIsPowerAlternative|HasIsPowerAssociative|HasIsPowerOfClassShift|HasIsPowerfulPGroup|HasIsPreAbelianCategory|HasIsPreCat1Algebra|HasIsPreCat1AlgebraMorphism|HasIsPreCat1Domain|HasIsPreCat1Group|HasIsPreCat1GroupMorphism|HasIsPreCat1GroupWithIdentityEmbedding|HasIsPreCat1Groupoid|HasIsPreCat1QuasiIsomorphism|HasIsPreCat2Group|HasIsPreCat2GroupMorphism|HasIsPreCat3Group|HasIsPreCatnGroup|HasIsPreCatnGroupMorphism|HasIsPreCatnGroupWithIdentityEmbeddings|HasIsPreCrossedSquare|HasIsPreCrossedSquareMorphism|HasIsPreOrderBinaryRelation|HasIsPreXMod|HasIsPreXModAlgebra|HasIsPreXModAlgebraMorphism|HasIsPreXModDomain|HasIsPreXModMorphism|HasIsPreXModWithObjects|HasIsPreorderDigraph|HasIsPrimeBrace|HasIsPrimeField|HasIsPrimeIdeal|HasIsPrimeModule|HasIsPrimeNearRing|HasIsPrimeNearRingIdeal|HasIsPrimeOrdersPcgs|HasIsPrimeSwitch|HasIsPrimitive|HasIsPrimitiveAffine|HasIsPrimitiveCharacter|HasIsPrimitiveMatrixGroup|HasIsPrimitiveSoluble|HasIsPrimitiveSolubleGroup|HasIsPrimitiveSolvable|HasIsPrimitiveSolvableGroup|HasIsPrincipalCongruenceSubgroup|HasIsPrincipalIdealRing|HasIsProjective|HasIsProjectiveComplex|HasIsProjectiveModule|HasIsProjectiveOfConstantRank|HasIsProjectiveRepresentation|HasIsProjectivity|HasIsProjectivityGroup|HasIsProportionallyModularNumericalSemigroup|HasIsPseudoCanonicalBasisFullHomModule|HasIsPseudoDoubleShiftAlgebra|HasIsPseudoForm|HasIsPseudoListWithFunction|HasIsPseudoPolarityOfProjectiveSpace|HasIsPseudoSymmetric|HasIsPseudoSymmetricNumericalSemigroup|HasIsPure|HasIsPureNumericalSemigroup|HasIsPurityFiltration|HasIsQuadraticNumberField|HasIsQuandle|HasIsQuasiDihedralGroup|HasIsQuasiIsomorphism|HasIsQuasiPrimitive|HasIsQuasiSimpleGroup|HasIsQuasiorderDigraph|HasIsQuasiregularNearRing|HasIsQuasisimpleCharacterTable|HasIsQuasisimpleGroup|HasIsQuaternionGroup|HasIsQuotientClosed|HasIsRCCLoop|HasIsRCLoop|HasIsRDistributive|HasIsRStarClass|HasIsRTrivial|HasIsRadicalSquareZeroAlgebra|HasIsRationalDoubleShiftAlgebra|HasIsRationalMatrixGroup|HasIsRationalPseudoDoubleShiftAlgebra|HasIsRationalsForHomalg|HasIsRealFormOfInnerType|HasIsRealification|HasIsRecogInfoForAlmostSimpleGroup|HasIsRecogInfoForSimpleGroup|HasIsRectangularBand|HasIsRectangularGroup|HasIsRectangularTable|HasIsRecurrentFRSemigroup|HasIsReduced|HasIsReducedBasisOfColumnsMatrix|HasIsReducedBasisOfRowsMatrix|HasIsReducedGraphOfGroupoidsWord|HasIsReducedGraphOfGroupsWord|HasIsReducedModuloRingRelations|HasIsReesCongruence|HasIsReesCongruenceSemigroup|HasIsReesMatrixSemigroup|HasIsReesMatrixSubsemigroup|HasIsReesZeroMatrixSemigroup|HasIsReesZeroMatrixSubsemigroup|HasIsReflexive|HasIsReflexiveBinaryRelation|HasIsReflexiveBooleanMat|HasIsReflexiveDigraph|HasIsReflexiveForm|HasIsRegular|HasIsRegularDClass|HasIsRegularDerivation|HasIsRegularDigraph|HasIsRegularGreensClass|HasIsRegularNearRing|HasIsRegularSemigroup|HasIsRelativelySM|HasIsResiduallyClosed|HasIsResiduallyConnected|HasIsResiduallyFinite|HasIsResidueClass|HasIsResidueClassRingOfTheIntegers|HasIsResidueClassWithFixedRepresentative|HasIsRestrictedLieAlgebra|HasIsRetractable|HasIsReversible|HasIsRightALoop|HasIsRightAcyclic|HasIsRightAlgebraModule|HasIsRightAlternative|HasIsRightArtinian|HasIsRightAutomorphicLoop|HasIsRightBolLoop|HasIsRightBruckLoop|HasIsRightConjugacyClosedLoop|HasIsRightDistributive|HasIsRightFiniteFreePresentationRing|HasIsRightFree|HasIsRightGlobalDimensionFinite|HasIsRightHereditary|HasIsRightHermite|HasIsRightIdealInParent|HasIsRightInvertibleMatrix|HasIsRightKLoop|HasIsRightMinimal|HasIsRightNilpotent|HasIsRightNoetherian|HasIsRightNonDegenerate|HasIsRightNuclearSquareLoop|HasIsRightOreDomain|HasIsRightPathAlgebraModuleGroebnerBasis|HasIsRightPowerAlternative|HasIsRightPrincipalIdealRing|HasIsRightRegular|HasIsRightSemigroupCongruence|HasIsRightSemigroupIdeal|HasIsRightSimple|HasIsRightTransitive|HasIsRightZeroSemigroup|HasIsRigidModule|HasIsRigidSymmetricClosedMonoidalCategory|HasIsRigidSymmetricCoclosedMonoidalCategory|HasIsRing|HasIsRingGeneralMapping|HasIsRingHomomorphism|HasIsRingOfIntegralCyclotomics|HasIsRingOfQuadraticIntegers|HasIsRingWithOne|HasIsRingWithOneGeneralMapping|HasIsRingWithOneHomomorphism|HasIsRootElement|HasIsRootOfUnity|HasIsRowModule|HasIsRowTrimBooleanMat|HasIsSCGroup|HasIsSL|HasIsSLA|HasIsSNPermutableInParent|HasIsSPermutableInParent|HasIsSQUniversal|HasIsSSortedList|HasIsSaturated|HasIsSaturatedFittingFormation|HasIsSaturatedFormation|HasIsSaturatedNumericalSemigroup|HasIsScalarMatrix|HasIsSchunckClass|HasIsSchurianAlgebra|HasIsSection|HasIsSelfComplementaryCode|HasIsSelfDualCode|HasIsSelfDualSemigroup|HasIsSelfOrthogonalCode|HasIsSelfSimilar|HasIsSelfSimilarGroup|HasIsSelfSimilarSemigroup|HasIsSelfinjectiveAlgebra|HasIsSemiEchelonized|HasIsSemiLocalRing|HasIsSemiRegular|HasIsSemiSimpleRing|HasIsSemiband|HasIsSemicommutativeAlgebra|HasIsSemigroup|HasIsSemigroupCongruence|HasIsSemigroupEnumerator|HasIsSemigroupFRMachine|HasIsSemigroupGeneralMapping|HasIsSemigroupHomomorphism|HasIsSemigroupIdeal|HasIsSemigroupOfSelfSimFamily|HasIsSemigroupWithAdjoinedZero|HasIsSemigroupWithClosedIdempotents|HasIsSemigroupWithCommutingIdempotents|HasIsSemigroupWithObjectsHomomorphism|HasIsSemigroupWithZero|HasIsSemigroupWithoutClosedIdempotents|HasIsSemilattice|HasIsSemiprime|HasIsSemiprimeIdeal|HasIsSemiring|HasIsSemiringWithOne|HasIsSemiringWithOneAndZero|HasIsSemiringWithZero|HasIsSemisimpleANFGroupAlgebra|HasIsSemisimpleAlgebra|HasIsSemisimpleFiniteGroupAlgebra|HasIsSemisimpleModule|HasIsSemisimpleRationalGroupAlgebra|HasIsSemisimpleZeroCharacteristicGroupAlgebra|HasIsSemisymmetric|HasIsSeparablePolynomial|HasIsSequence|HasIsShortExactSequence|HasIsShortLexOrdering|HasIsSignPreserving|HasIsSimpleAlgebra|HasIsSimpleCharacterTable|HasIsSimpleGroup|HasIsSimpleNGroup|HasIsSimpleNearRing|HasIsSimpleQPAModule|HasIsSimpleRing|HasIsSimpleSemigroup|HasIsSimpleSkewbrace|HasIsSimplyConnected2DimensionalGroup|HasIsSinglePiece|HasIsSinglePieceDomain|HasIsSinglePieceGroupoidWithRays|HasIsSingleValued|HasIsSinglyEvenCode|HasIsSingularForm|HasIsSingularSemigroupCopy|HasIsSkeletalCategory|HasIsSkewFieldFamily|HasIsSkewbraceAutomorphism|HasIsSmallList|HasIsSolubleCharacterTable|HasIsSolvableCharacterTable|HasIsSolvableGroup|HasIsSolvablePolynomial|HasIsSolvableTom|HasIsSortedList|HasIsSourceMorphism|HasIsSpaceGroup|HasIsSpecialBiserialAlgebra|HasIsSpecialBiserialQuiver|HasIsSpecialLinearGroup|HasIsSpecialPcgs|HasIsSpecialSubidentityMatrix|HasIsSphericallyTransitive|HasIsSplitEpimorphism|HasIsSplitMonomorphism|HasIsSplitShortExactSequence|HasIsSporadicSimpleCharacterTable|HasIsSporadicSimpleGroup|HasIsSquareFree|HasIsSquareFreeInt|HasIsSquareMat|HasIsStableSheet|HasIsStablyFree|HasIsStandard2Cocycle|HasIsStandardAffineCrystGroup|HasIsStandardBasisOfLieRing|HasIsStandardHermitianVariety|HasIsStandardNCocycle|HasIsStandardPolarSpace|HasIsStandardQuadraticVariety|HasIsStarClass|HasIsStarSemigroup|HasIsStateClosed|HasIsSteinerLoop|HasIsSteinerQuasigroup|HasIsStemDomain|HasIsStrictLowerTriangularMatrix|HasIsStrictMonoidalCategory|HasIsStrictUpperTriangularMatrix|HasIsStrictlySemilinear|HasIsStringAlgebra|HasIsStronglyConnectedDigraph|HasIsStronglyMonogenic|HasIsStronglyMonomial|HasIsStronglyNilpotent|HasIsStructuredDigraph|HasIsSubEndoMapping|HasIsSubgroupClosed|HasIsSubgroupSL|HasIsSubidentityMatrix|HasIsSubmonoidFpMonoid|HasIsSubnormallyMonomial|HasIsSubobject|HasIsSubsemigroupFpSemigroup|HasIsSubsetLocallyFiniteGroup|HasIsSuperCommutative|HasIsSupersolubleCharacterTable|HasIsSupersolvableCharacterTable|HasIsSupersolvableGroup|HasIsSurjective|HasIsSurjectiveOnObjects|HasIsSurjectiveSemigroup|HasIsSylowTowerGroup|HasIsSymbolicElement|HasIsSymmetric|HasIsSymmetric2DimensionalGroup|HasIsSymmetric3DimensionalGroup|HasIsSymmetricAlgebra|HasIsSymmetricBinaryRelation|HasIsSymmetricBooleanMat|HasIsSymmetricClosedMonoidalCategory|HasIsSymmetricCoclosedMonoidalCategory|HasIsSymmetricDigraph|HasIsSymmetricFRElement|HasIsSymmetricForm|HasIsSymmetricGoodSemigroup|HasIsSymmetricGroup|HasIsSymmetricInverseSemigroup|HasIsSymmetricMonoidalCategory|HasIsSymmetricNumericalSemigroup|HasIsSymmetricPower|HasIsSymmorphicSpaceGroup|HasIsSymplecticForm|HasIsSymplecticPolarityOfProjectiveSpace|HasIsSymplecticSpace|HasIsSynchronizingSemigroup|HasIsTGroup|HasIsTame|HasIsTameNGroup|HasIsTauRigidModule|HasIsTelescopic|HasIsTelescopicNumericalSemigroup|HasIsTerminal|HasIsTerminalCategory|HasIsThickGeometry|HasIsThinGeometry|HasIsTiltingModule|HasIsTipReducedGroebnerBasis|HasIsTorsion|HasIsTorsionFree|HasIsTorsionGroup|HasIsTotal|HasIsTotalBooleanMat|HasIsTotalOrdering|HasIsTotallySymmetric|HasIsTournament|HasIsTransBipartition|HasIsTransformationBooleanMat|HasIsTransformationPBR|HasIsTransitive|HasIsTransitiveBinaryRelation|HasIsTransitiveBooleanMat|HasIsTransitiveDigraph|HasIsTransitiveOnNonnegativeIntegersInSupport|HasIsTranslationInvariantOrdering|HasIsTransposedWRTTheAssociatedComplex|HasIsTreeQuiver|HasIsTriangle|HasIsTriangularMatrix|HasIsTriangularReduced|HasIsTriangularizableMatGroup|HasIsTrimBooleanMat|HasIsTrivial|HasIsTrivialAction2DimensionalGroup|HasIsTrivialAction3DimensionalGroup|HasIsTrivialSkewbrace|HasIsTwoSided|HasIsTwoSidedIdealInParent|HasIsUAcyclicQuiver|HasIsUFDFamily|HasIsUndirectedForest|HasIsUndirectedTree|HasIsUniformBlockBijection|HasIsUnipotent|HasIsUnipotentMatGroup|HasIsUniqueFactorizationDomain|HasIsUniquelyPresented|HasIsUniquelyPresentedAffineSemigroup|HasIsUniquelyPresentedNumericalSemigroup|HasIsUnitFree|HasIsUnitGroup|HasIsUnitGroupIsomorphism|HasIsUnitRegularMonoid|HasIsUnitary|HasIsUnivariatePolynomial|HasIsUnivariateRationalFunction|HasIsUniversalPBR|HasIsUniversalSemigroupCongruence|HasIsUpperStairCaseMatrix|HasIsUpperTriangularFRElement|HasIsUpperTriangularMatrix|HasIsVectorSpaceHomomorphism|HasIsVertexProjectiveModule|HasIsVertexTransitive|HasIsVirtualCharacter|HasIsVirtuallySimpleGroup|HasIsWdNearRing|HasIsWeaklyBranched|HasIsWeaklyFinitaryFRElement|HasIsWeaklyFinitaryFRSemigroup|HasIsWeaklyNonnegativeUnitForm|HasIsWeaklyNormalInParent|HasIsWeaklyPermutableInParent|HasIsWeaklyPositiveUnitForm|HasIsWeaklySPermutableInParent|HasIsWeaklySymmetricAlgebra|HasIsWeightLexOrdering|HasIsWeightedCollector|HasIsWellDefined|HasIsWellFoundedOrdering|HasIsWellOrdering|HasIsWellReversedOrdering|HasIsWeylGroup|HasIsWeylRing|HasIsWholeFamily|HasIsWithSSubpermutiserConditionInParent|HasIsWithSSubpermutizerConditionInParent|HasIsWithSubnormalizerConditionInParent|HasIsWithSubpermutiserConditionInParent|HasIsWithSubpermutizerConditionInParent|HasIsWordAcceptorOfDoubleCosetRws|HasIsWordDecompHomomorphism|HasIsWreathProductOrdering|HasIsXInfinity|HasIsXMod|HasIsXModAlgebra|HasIsXModAlgebraMorphism|HasIsXModMorphism|HasIsXModWithObjects|HasIsXp|HasIsYp|HasIsZ_pi|HasIsZero|HasIsZeroCharacteristic|HasIsZeroForMorphisms|HasIsZeroForObjects|HasIsZeroGroup|HasIsZeroMultiplicationRing|HasIsZeroPath|HasIsZeroRationalFunction|HasIsZeroRectangularBand|HasIsZeroSemigroup|HasIsZeroSimpleSemigroup|HasIsZeroSquaredRing|HasIsZeroSymmetricNearRing|HasIsZxZ|HasIsoclinicMiddleLength|HasIsoclinicRank|HasIsoclinicStemDomain|HasIsometricCanonicalForm|HasIsometryGroup|HasIsomorphicAutomGroup|HasIsomorphicAutomSemigroup|HasIsomorphicPreCat1GroupWithIdentityEmbedding|HasIsomorphismCanonicalPolarSpace|HasIsomorphismCanonicalPolarSpaceWithIntertwiner|HasIsomorphismClassPositionsOfGroupoid|HasIsomorphismFp2DimensionalGroup|HasIsomorphismFpAlgebra|HasIsomorphismFpFLMLOR|HasIsomorphismFpGroup|HasIsomorphismFpGroupForRewriting|HasIsomorphismFpInfo|HasIsomorphismFpMonoid|HasIsomorphismFpSemigroup|HasIsomorphismFromCoDualToInternalCoHom|HasIsomorphismFromCoimageToCokernelOfKernel|HasIsomorphismFromCokernelOfKernelToCoimage|HasIsomorphismFromDualToInternalHom|HasIsomorphismFromImageObjectToKernelOfCokernel|HasIsomorphismFromInitialObjectToZeroObject|HasIsomorphismFromInternalCoHomToCoDual|HasIsomorphismFromInternalCoHomToObject|HasIsomorphismFromInternalHomToDual|HasIsomorphismFromInternalHomToObject|HasIsomorphismFromKernelOfCokernelToImageObject|HasIsomorphismFromObjectToInternalCoHom|HasIsomorphismFromObjectToInternalHom|HasIsomorphismFromTerminalObjectToZeroObject|HasIsomorphismFromZeroObjectToInitialObject|HasIsomorphismFromZeroObjectToTerminalObject|HasIsomorphismLpGroup|HasIsomorphismMatrixAlgebra|HasIsomorphismMatrixFLMLOR|HasIsomorphismMatrixField|HasIsomorphismMatrixGroup|HasIsomorphismPartialPermMonoid|HasIsomorphismPartialPermSemigroup|HasIsomorphismPc2DimensionalGroup|HasIsomorphismPcGroup|HasIsomorphismPcGroupoid|HasIsomorphismPcInfo|HasIsomorphismPcpGroup|HasIsomorphismPerm2DimensionalGroup|HasIsomorphismPermGroup|HasIsomorphismPermGroupoid|HasIsomorphismPermInfo|HasIsomorphismPermOrPcInfo|HasIsomorphismRcwaGroupOverZ|HasIsomorphismReesMatrixSemigroup|HasIsomorphismReesMatrixSemigroupOverPermGroup|HasIsomorphismReesZeroMatrixSemigroup|HasIsomorphismReesZeroMatrixSemigroupOverPermGroup|HasIsomorphismRefinedPcGroup|HasIsomorphismSCAlgebra|HasIsomorphismSCFLMLOR|HasIsomorphismSimplifiedFpGroup|HasIsomorphismSpecialPcGroup|HasIsomorphismSubgroupFpGroup|HasIsomorphismToPreCat1GroupWithIdentityEmbedding|HasIsomorphismTransformationMonoid|HasIsomorphismTransformationSemigroup|HasIsomorphismTypeInfoFiniteSimpleGroup|HasIsomorphismXModByNormalSubgroup|HasIsomorphismsOfGraphOfGroupoids|HasIsomorphismsOfGraphOfGroups|HasIsqReversing|HasIteratedRelatorsOfLpGroup|HasItsInvolution|HasItsTransposedMatrix|HasIwasawaTriple|HasJClasses|HasJStarClass|HasJStarClasses|HasJStarRelation|HasJacobianIdeal|HasJenningsLieAlgebra|HasJenningsSeries|HasJoinIrreducibleDClasses|HasJordanDecomposition|HasJordanSplitting|HasKBMagRewritingSystem|HasKBMagWordAcceptor|HasKacDiagram|HasKernel2DimensionalMapping|HasKernelActionIndices|HasKernelCokernelXMod|HasKernelEmb|HasKernelEmbedding|HasKernelHigherDimensionalMapping|HasKernelInclusion|HasKernelObject|HasKernelOfActionOnRespectedPartition|HasKernelOfAdditiveGeneralMapping|HasKernelOfCharacter|HasKernelOfLambda|HasKernelOfMultiplicativeGeneralMapping|HasKernelOfSemigroupCongruence|HasKernelOfTransformation|HasKernelOfWhat|HasKernelSubobject|HasKillingMatrix|HasKindOfDomainWithObjects|HasKneadingSequence|HasKnowsDeligneLusztigNames|HasKnowsHowToDecompose|HasKnowsSomeGroupInfo|HasKrules|HasKrullDimension|HasKuratowskiOuterPlanarSubdigraph|HasKuratowskiPlanarSubdigraph|HasLBGgt5|HasLClassOfHClass|HasLClassReps|HasLClassType|HasLClasses|HasLGFirst|HasLGHeads|HasLGLayers|HasLGLength|HasLGTails|HasLGWeights|HasLMatrix|HasLPerms|HasLSSequence|HasLStarClass|HasLStarClasses|HasLStarRelation|HasLaTeXString|HasLabel|HasLabels|HasLabelsOfFareySymbol|HasLambdaAct|HasLambdaBound|HasLambdaConjugator|HasLambdaCosets|HasLambdaElementVHGroup|HasLambdaFunc|HasLambdaIdentity|HasLambdaIntroduction|HasLambdaInverse|HasLambdaOrb|HasLambdaOrbOpts|HasLambdaOrbSCC|HasLambdaOrbSCCIndex|HasLambdaOrbSeed|HasLambdaPerm|HasLambdaRank|HasLaplacianMatrix|HasLargerDirectProductGroupoid|HasLargerEntry|HasLargestElementGroup|HasLargestElementRClass|HasLargestElementSemigroup|HasLargestImageOfMovedPoint|HasLargestMinimalNumberOfLocalGenerators|HasLargestMovedPoint|HasLargestMovedPointPerm|HasLargestNilpotentQuotient|HasLargestNrSlots|HasLargestSourcesOfAffineMappings|HasLatticeGeneratorsInUEA|HasLatticeOfCongruences|HasLatticeOfLeftCongruences|HasLatticeOfRightCongruences|HasLatticeSubgroups|HasLeadCoeffMonoidPoly|HasLeadCoeffsIGS|HasLeadGenerator|HasLeadMonoidPoly|HasLeadTerm|HasLeadWordMonoidPoly|HasLeadingComponent|HasLeadingLayer|HasLeadingLayerElement|HasLeadingPosition|HasLeft2DimensionalGroup|HasLeft2DimensionalMorphism|HasLeft3DimensionalGroup|HasLeftActingAlgebra|HasLeftActingDomain|HasLeftActingGroup|HasLeftActingRingOfIdeal|HasLeftBasis|HasLeftBlocks|HasLeftCayleyDigraph|HasLeftCayleyGraphSemigroup|HasLeftCongruencesOfSemigroup|HasLeftDerivations|HasLeftElementOfCartesianProduct|HasLeftGlobalDimension|HasLeftIdeals|HasLeftInnerMappingGroup|HasLeftInverse|HasLeftInverseOfHomomorphism|HasLeftInverseProperty|HasLeftMinimalVersion|HasLeftMultiplicationGroup|HasLeftNilpotentIdeals|HasLeftNucleus|HasLeftOne|HasLeftPermutations|HasLeftPresentations|HasLeftProjection|HasLeftRightMorphism|HasLeftSection|HasLeftSeries|HasLeftTransversalsOfGraphOfGroupoids|HasLeftTransversalsOfGraphOfGroups|HasLeftUnitor|HasLeftUnitorInverse|HasLength|HasLengthLongestRelator|HasLengthOfLongestDClassChain|HasLengthOfPath|HasLengthsTom|HasLessFunction|HasLessGeneratorsTransformationTripleLeft|HasLessGeneratorsTransformationTripleRight|HasLessThanFunction|HasLessThanOrEqualFunction|HasLetter|HasLetterRepWordsLessFunc|HasLevelOfCongruenceSubgroup|HasLevelOfCongruenceSubgroupGammaMN|HasLevelOfEpimorphismFromFRGroup|HasLevelOfFaithfulAction|HasLevelsOfGenerators|HasLeviMalcevDecomposition|HasLexicographicIndexTable|HasLexicographicPermutation|HasLexicographicTable|HasLibraryConditions|HasLibraryName|HasLibraryNearRingFlag|HasLibsemigroupsCongruenceConstructor|HasLibsemigroupsFroidurePin|HasLieAlgebraByDomain|HasLieAlgebraIdentification|HasLieCenter|HasLieCentralizerInParent|HasLieCentre|HasLieCover|HasLieDerivedLength|HasLieDerivedSeries|HasLieDerivedSubalgebra|HasLieDimensionSubgroups|HasLieFamily|HasLieLowerCentralSeries|HasLieLowerNilpotencyIndex|HasLieMultiplicator|HasLieNBDefinitions|HasLieNBWeights|HasLieNilRadical|HasLieNormalizerInParent|HasLieNucleus|HasLieObject|HasLiePValues|HasLieRingToPGroup|HasLieSolvableRadical|HasLieUpperCentralSeries|HasLieUpperCodimensionSeries|HasLieUpperNilpotencyIndex|HasLimitFRMachine|HasLimitStatesOfFRElement|HasLimitStatesOfFRMachine|HasLineDiamEdge|HasLinearActionBasis|HasLinearCharacters|HasLinearRegularity|HasLinearRegularityInterval|HasLinearRepresentationOfStructureGroup|HasLinesOfBBoxProgram|HasLinesOfStraightLineDecision|HasLinesOfStraightLineProgram|HasListInverseDerivations|HasListOf2DimensionalMappings|HasLocalActionDegree|HasLocalActionRadius|HasLocalDefinitionFunction|HasLocalInterpolationNearRingFlag|HasLocation|HasLocationIndex|HasLocations|HasLoewyLength|HasLog10|HasLog1p|HasLog2|HasLoggedRewritingSystemFpGroup|HasLongWords|HasLongestWeylWord|HasLongestWeylWordPerm|HasLoops|HasLowIndexNormalSubgroups|HasLowIndexSubgroupClasses|HasLowerCentralSeriesOfGroup|HasLowerFittingSeries|HasLtFunctionListRep|HasLueXMod|HasMTSAction|HasMTSActionHomomorphism|HasMTSComponents|HasMTSEParent|HasMTSGroup|HasMTSPartialOrder|HasMTSQuotientDigraph|HasMTSSemilattice|HasMTSSemilatticeVertexLabelInverseMap|HasMTSUnderlyingAction|HasMagicNumber|HasMagmaGeneratorsOfFamily|HasMagmaWithZeroAdjoined|HasMaintenanceMethodForToDoLists|HasMapFromHomogenousPartOverExteriorAlgebraToHomogeneousPartOverSymmetricAlgebra|HasMapFromHomogenousPartOverSymmetricAlgebraToHomogeneousPartOverExteriorAlgebra|HasMappedPartitions|HasMapping|HasMappingGeneratorsImages|HasMappingOfWhichItIsAsGGMBI|HasMappingToSinglePieceData|HasMappingToSinglePieceMaps|HasMaps|HasMarksTom|HasMatTom|HasMatrixByBlockMatrix|HasMatrixCategory|HasMatrixCategoryObject|HasMatrixEntries|HasMatrixNearRingFlag|HasMatrixNumCols|HasMatrixNumRows|HasMatrixOfCycleSet|HasMatrixOfRack|HasMatrixOfReesMatrixSemigroup|HasMatrixOfReesZeroMatrixSemigroup|HasMatrixOfSymbols|HasMatrixRepresentation|HasMaxOrbitPerm|HasMaxes|HasMaximalAbelianQuotient|HasMaximalAntiSymmetricSubdigraphAttr|HasMaximalBlocksAttr|HasMaximalCompatibleSubgroup|HasMaximalDClasses|HasMaximalDegreePart|HasMaximalDegreePartOfColumnMatrix|HasMaximalDiscreteSubdomain|HasMaximalDiscreteSubgroupoid|HasMaximalGradedLeftIdeal|HasMaximalGradedRightIdeal|HasMaximalIdealAsColumnMatrix|HasMaximalIdealAsLeftMorphism|HasMaximalIdealAsRightMorphism|HasMaximalIdealAsRowMatrix|HasMaximalNormalSubgroups|HasMaximalOrderBasis|HasMaximalShift|HasMaximalSimpleSubgroup|HasMaximalSubgroupClassReps|HasMaximalSubgroupClassesByIndex|HasMaximalSubgroups|HasMaximalSubgroupsLattice|HasMaximalSubgroupsTom|HasMaximalSubsemigroups|HasMaximalSymmetricSubdigraphAttr|HasMaximalSymmetricSubdigraphWithoutLoopsAttr|HasMaximallyCompactCartanSubalgebra|HasMaximallyNonCompactCartanSubalgebra|HasMaximumDegreeForPresentation|HasMcAlisterTripleSemigroupAction|HasMcAlisterTripleSemigroupActionHomomorphism|HasMcAlisterTripleSemigroupComponents|HasMcAlisterTripleSemigroupElementParent|HasMcAlisterTripleSemigroupGroup|HasMcAlisterTripleSemigroupPartialOrder|HasMcAlisterTripleSemigroupQuotientDigraph|HasMcAlisterTripleSemigroupSemilattice|HasMcAlisterTripleSemigroupSemilatticeVertexLabelInverseMap|HasMcAlisterTripleSemigroupUnderlyingAction|HasMemberFunction|HasMembershipFunction|HasMid|HasMiddleInnerMappingGroup|HasMiddleNucleus|HasMihailovaSystem|HasMinActionRank|HasMinIGS|HasMinOrbitPerm|HasMinimalArfGeneratingSystemOfArfNumericalSemigroup|HasMinimalAutomaton|HasMinimalBlockDimension|HasMinimalBlockDimensionOfMatrixGroup|HasMinimalCentreExtension|HasMinimalCongruences|HasMinimalCongruencesOfSemigroup|HasMinimalDClass|HasMinimalGeneratingSet|HasMinimalGeneratingSetOfModule|HasMinimalGeneratingSystem|HasMinimalGeneratingSystemOfIdealOfAffineSemigroup|HasMinimalGeneratingSystemOfIdealOfNumericalSemigroup|HasMinimalGeneratingSystemOfNumericalSemigroup|HasMinimalGeneratorNumber|HasMinimalGeneratorNumberOfLiePRing|HasMinimalGenerators|HasMinimalGoodGeneratingSystemOfGoodSemigroup|HasMinimalGoodGenerators|HasMinimalGoodGeneratorsIdealGS|HasMinimalIdeal|HasMinimalIdealGeneratingSet|HasMinimalIdeals|HasMinimalInverseMonoidGeneratingSet|HasMinimalInverseSemigroupGeneratingSet|HasMinimalKnownRatExp|HasMinimalLeftCongruencesOfSemigroup|HasMinimalMEDGeneratingSystemOfMEDNumericalSemigroup|HasMinimalMonoidGeneratingSet|HasMinimalNormalPSubgroups|HasMinimalNormalSubgroups|HasMinimalRightCongruencesOfSemigroup|HasMinimalSemigroupGeneratingSet|HasMinimalStabChain|HasMinimalSupergroupsLattice|HasMinimalWord|HasMinimizedBombieriNorm|HasMinimumDistance|HasMinimumDistanceCodeword|HasMinimumDistanceLeon|HasMinimumGroupCongruence|HasMinimumWeight|HasMinimumWeightOfGenerators|HasMinimumWeightWords|HasMinusOne|HasModPRingBasisAsPolynomials|HasModPRingGeneratorDegrees|HasModPRingNiceBasis|HasModPRingNiceBasisAsPolynomials|HasModularConditionNS|HasModularityOfRightIdeal|HasModule|HasModuleOfExtension|HasModuleOfKaehlerDifferentials|HasModulusOfRcwaMonoid|HasModulusOfZmodnZObj|HasMoebiusTom|HasMolienSeriesInfo|HasMonoOfLeftSummand|HasMonoOfRightSummand|HasMonoidByAdjoiningIdentity|HasMonoidByAdjoiningIdentityElt|HasMonoidGeneratorsFpGroup|HasMonoidOfRewritingSystem|HasMonoidPolys|HasMonoidPresentationFpGroup|HasMonomialComparisonFunction|HasMonomialExtrepComparisonFun|HasMonomialsWithGivenDegree|HasMonomorphismIntoSomeInjectiveObject|HasMonomorphismToAutomatonGroup|HasMonomorphismToAutomatonSemigroup|HasMorphismAid|HasMorphismCache|HasMorphismDatum|HasMorphismFilter|HasMorphismFromBidual|HasMorphismFromCoBidual|HasMorphismFromCoimageToImage|HasMorphismFromZeroObject|HasMorphismFunctionName|HasMorphismGS|HasMorphismIntoZeroObject|HasMorphismOfInducedXMod|HasMorphismOfPullback|HasMorphismToBidual|HasMorphismToCoBidual|HasMorphismType|HasMorphismsOfChainMap|HasMovedPoints|HasMultAutomAlphabet|HasMultDivType|HasMultipermutationLevel|HasMultiplicationGroup|HasMultiplicationTable|HasMultiplicationTableIDs|HasMultiplicativeNeutralElement|HasMultiplicativeZero|HasMultiplicatorRank|HasMultiplicity|HasMultiplicityOfNumericalSemigroup|HasMultiplier|HasMunnSemigroup|HasN0Subgroups|HasNGroupByApplication|HasNGroupByNearRingMultiplication|HasNIdeals|HasNRMultiplication|HasNRRowEndos|HasNSubgroups|HasNakayamaAutomorphism|HasNakayamaFunctorOfModule|HasNakayamaFunctorOfModuleHomomorphism|HasNakayamaPermutation|HasNambooripadLeqRegularSemigroup|HasNambooripadPartialOrder|HasName|HasNameFunction|HasNameOfFormation|HasNameOfFunctor|HasNameRealForm|HasNamesLibTom|HasNamesOfFusionSources|HasNatTrIdToHomHom_R|HasNaturalBijectionToAssociativeAlgebra|HasNaturalBijectionToLieAlgebra|HasNaturalBijectionToNormalizedUnitGroup|HasNaturalBijectionToPcNormalizedUnitGroup|HasNaturalCharacter|HasNaturalHomomorphismByNormalSubgroupNCInParent|HasNaturalHomomorphismOfLieAlgebraFromNilpotentGroup|HasNaturalHomomorphismOnHolonomyGroup|HasNaturalHomomorphismsPool|HasNaturalIsomorphismFromIdentityToCanonicalizeZeroMorphisms|HasNaturalIsomorphismFromIdentityToCanonicalizeZeroObjects|HasNaturalIsomorphismFromIdentityToGetRidOfZeroGeneratorsLeft|HasNaturalIsomorphismFromIdentityToGetRidOfZeroGeneratorsRight|HasNaturalIsomorphismFromIdentityToLessGeneratorsLeft|HasNaturalIsomorphismFromIdentityToLessGeneratorsRight|HasNaturalIsomorphismFromIdentityToStandardModuleLeft|HasNaturalIsomorphismFromIdentityToStandardModuleRight|HasNaturalLeqInverseSemigroup|HasNaturalMapFromExteriorComplexToRightAdjoint|HasNaturalMapToModuleOfGlobalSections|HasNaturalPartialOrder|HasNaturalTransformationCache|HasNaturalTransformationFromIdentityToDoubleDualLeft|HasNaturalTransformationFromIdentityToDoubleDualRight|HasNaturalTransformationFunction|HasNaturalTransformationOperation|HasNautyAutomorphismGroup|HasNautyCanonicalDigraphAttr|HasNautyCanonicalLabelling|HasNearRingActingOnNGroup|HasNearRingCommutatorsTable|HasNearRingIdeals|HasNearRingLeftIdeals|HasNearRingRightIdeals|HasNearRingUnits|HasNegativeRootVectors|HasNegativeRoots|HasNegativeRootsFC|HasNeighborsOfVertex|HasNestingDepthA|HasNestingDepthM|HasNextLocation|HasNextOrdering|HasNextPlaces|HasNgs|HasNiceAlgebraMonomorphism|HasNiceBasis|HasNiceFreeLeftModule|HasNiceFreeLeftModuleInfo|HasNiceGens|HasNiceMonomorphism|HasNiceNormalFormByExtRepFunction|HasNiceObject|HasNiceToCryst|HasNillity|HasNilpotencyClassOf2DimensionalGroup|HasNilpotencyClassOfGroup|HasNilpotencyClassOfLoop|HasNilpotencyDegree|HasNilpotentBasis|HasNilpotentElements|HasNilpotentOrbits|HasNilpotentOrbitsOfRealForm|HasNilpotentProjector|HasNilpotentQuotientSystem|HasNilpotentQuotients|HasNilpotentResidual|HasNoetherianQuotientFlag|HasNonAbelianExteriorSquare|HasNonAbelianTensorSquare|HasNonFlatLocus|HasNonLieNilpotentElement|HasNonNilpotentElement|HasNonTrivialDegreePerColumn|HasNonTrivialDegreePerColumnWithRowPositionFunction|HasNonTrivialDegreePerRow|HasNonTrivialDegreePerRowWithColPositionFunction|HasNonTrivialEquivalenceClasses|HasNonZeroColumns|HasNonZeroGeneratorsTransformationTripleLeft|HasNonZeroGeneratorsTransformationTripleRight|HasNonZeroRows|HasNoninvertiblePrimes|HasNontipSize|HasNorm|HasNormOfBoundedFRElement|HasNormOfIdeal|HasNormalBase|HasNormalClosureInParent|HasNormalFormFunction|HasNormalGeneratorsOfNilpotentResidual|HasNormalHallSubgroups|HasNormalMaximalSubgroups|HasNormalSeriesByPcgs|HasNormalSubCat1Groups|HasNormalSubCat2Groups|HasNormalSubCrossedSquares|HasNormalSubXMods|HasNormalSubgroupClassesInfo|HasNormalSubgroups|HasNormalTorsionSubgroup|HasNormalizedCospan|HasNormalizedCospanTuple|HasNormalizedPrincipalFactor|HasNormalizedSpan|HasNormalizedSpanTuple|HasNormalizedUnitGroup|HasNormalizerInGLnZ|HasNormalizerInGLnZBravaisGroup|HasNormalizerInHomePcgs|HasNormalizerInParent|HasNormalizerInWholeGroup|HasNormalizerPointGroupInGLnZ|HasNormalizersTom|HasNormedRowVector|HasNormedRowVectors|HasNormedVectors|HasNorrieXMod|HasNotConstructedAsAnIdeal|HasNotifiedFusionsOfLibTom|HasNotifiedFusionsToLibTom|HasNrBlocks|HasNrCols|HasNrColumns|HasNrComponentsOfPartialPerm|HasNrComponentsOfTransformation|HasNrConjugacyClasses|HasNrDClasses|HasNrElementsVertex|HasNrEquivalenceClasses|HasNrFixedPoints|HasNrGenerators|HasNrGeneratorsForRelations|HasNrHClasses|HasNrIdempotents|HasNrIdempotentsByRank|HasNrInputsOfStraightLineDecision|HasNrInputsOfStraightLineProgram|HasNrLClasses|HasNrLeftBlocks|HasNrMaximalSubsemigroups|HasNrMovedPoints|HasNrMovedPointsPerm|HasNrRClasses|HasNrRegularDClasses|HasNrRelations|HasNrRelationsForRelations|HasNrRightBlocks|HasNrRows|HasNrSpanningTrees|HasNrSubsTom|HasNrSyllables|HasNrTransverseBlocks|HasNuRadicals|HasNuc|HasNuclearRank|HasNucleusMachine|HasNucleusOfFRAlgebra|HasNucleusOfFRMachine|HasNucleusOfFRSemigroup|HasNucleusOfLoop|HasNucleusOfParabolicQuadric|HasNucleusOfQuasigroup|HasNullAlgebra|HasNullspaceIntMat|HasNullspaceMat|HasNumberColumns|HasNumberGeneratorsOfRws|HasNumberOfArrows|HasNumberOfIndecomposables|HasNumberOfProjectives|HasNumberOfStates|HasNumberOfVertices|HasNumberParts|HasNumberRows|HasNumberSyllables|HasNumeratorOfHilbertPoincareSeries|HasNumeratorOfModuloPcgs|HasNumeratorOfRationalFunction|HasNumericalSemigroupGS|HasNumericalSemigroupListGS|HasOMReference|HasONanScottType|HasObject|HasObject2d|HasObject2dEndomorphism|HasObjectCache|HasObjectDatum|HasObjectFilter|HasObjectFunctionName|HasObjectGroups|HasObjectHomomorphisms|HasObjectList|HasObjectTransformationOfGroupoidHomomorphism|HasObjectType|HasObliquityZero|HasObliquityZero2|HasOccuringVariableIndices|HasOmegaAndLowerPCentralSeries|HasOmegaSeries|HasOne|HasOneAttr|HasOneConjugateSubgroupNotPermutingWithInParent|HasOneElementShowingNotWeaklyNormalInParent|HasOneElementShowingNotWeaklyPermutableInParent|HasOneElementShowingNotWeaklySPermutableInParent|HasOneGeneratedNormalSubgroups|HasOneImmutable|HasOneOfBaseDomain|HasOneOfPcgs|HasOneStepReachablePlaces|HasOneSubgroupInWhichSubnormalNotNormalInParent|HasOneSubgroupInWhichSubnormalNotPermutableInParent|HasOneSubgroupInWhichSubnormalNotSPermutableInParent|HasOneSubgroupNotPermutingWithInParent|HasOneSubnormalNonConjugatePermutableSubgroup|HasOneSubnormalNonNormalSubgroup|HasOneSubnormalNonPermutableSubgroup|HasOneSubnormalNonSNPermutableSubgroup|HasOneSubnormalNonSPermutableSubgroup|HasOneSylowSubgroupNotPermutingWithInParent|HasOneSystemNormalizerNotPermutingWithInParent|HasOpenIntervalNS|HasOpenSetConditionFRElement|HasOpenSetConditionFRSemigroup|HasOperationOfFunctor|HasOperationRecord|HasOperations|HasOperatorOfExternalSet|HasOpposite|HasOppositeAlgebraHomomorphism|HasOppositeCategory|HasOppositeNakayamaFunctorOfModule|HasOppositeNakayamaFunctorOfModuleHomomorphism|HasOppositePathAlgebra|HasOppositeQuiver|HasOppositeQuiverNameMap|HasOrbitLengths|HasOrbitLengthsDomain|HasOrbitPartition|HasOrbitSignalizer|HasOrbitStabilizingParentGroup|HasOrbits|HasOrbitsDomain|HasOrbitsMovedPoints|HasOrder|HasOrderOfNakayamaAutomorphism|HasOrderOfQ|HasOrderVertex|HasOrderedAlphabet|HasOrderingName|HasOrderingOfAlgebra|HasOrderingOfQuiver|HasOrderingOfRewritingSystem|HasOrderingOnGenerators|HasOrderingsFamily|HasOrdersClassRepresentatives|HasOrdersTom|HasOrdinaryCharacterTable|HasOrdinaryFormation|HasOrientationModule|HasOriginalPathAlgebra|HasOrthogonalSpaceInFullRowSpace|HasOutDegreeOfVertex|HasOutDegreeSequence|HasOutDegreeSet|HasOutDegrees|HasOutLetter|HasOuterAction|HasOuterDistribution|HasOuterGroup|HasOuterPlanarEmbedding|HasOutgoingArrowsOfVertex|HasP0VertexList|HasP1VertexList|HasPBWMonomial|HasPCMinimalAutomaton|HasPCentralLieAlgebra|HasPCentralNormalSeriesByPcgsPGroup|HasPCentralSeries|HasPClassOfLiePRing|HasPClassPGroup|HasPCore|HasPGroupToLieRing|HasPMInequality|HasPResidual|HasPRump|HasPSLDegree|HasPSLUnderlyingField|HasPSocle|HasPSocleComponents|HasPSocleSeries|HasParametersEdge|HasParametersOfGroupViewedAsGL|HasParametersOfGroupViewedAsPSL|HasParametersOfGroupViewedAsSL|HasParametersOfRationalDoubleShiftAlgebra|HasParametersOfRationalPseudoDoubleShiftAlgebra|HasParent|HasParentAlgebra|HasParentAttr|HasParentMappingGroupoids|HasParentPcgs|HasPartialClosureOfCongruence|HasPartialElements|HasPartialElementsLength|HasPartialInverseElements|HasPartialOrderOfDClasses|HasPartialOrderOfHasseDiagram|HasPartitionOfSource|HasPartsOfPartitionDS|HasPathAlgebraOfMatModuleMap|HasPatterns|HasPcGroupWithPcgs|HasPcNormalizedUnitGroup|HasPcSeries|HasPcUnits|HasPcgs|HasPcgsCentralSeries|HasPcgsChiefSeries|HasPcgsElementaryAbelianSeries|HasPcgsPCentralSeriesPGroup|HasPcpGroupByEfaSeries|HasPcpsOfEfaSeries|HasPeifferSub2DimensionalGroup|HasPeifferSubgroup|HasPerfectIdentification|HasPerfectResiduum|HasPeriodNTPMatrix|HasPeriodicityOfSubgroupPres|HasPermGroupOnLevel|HasPermInvolution|HasPermOnLevel|HasPermanent|HasPermutationAutomorphismGroup|HasPermutationGroup|HasPermutationTom|HasPermutations|HasPermutiserInParent|HasPermutizerInParent|HasPiPrimarySplitting|HasPiResidual|HasPieceIsomorphisms|HasPieces|HasPiecesOfMapping|HasPivots|HasPlaceTriples|HasPlaces|HasPlanarEmbedding|HasPointDiamEdge|HasPointGroup|HasPointGroupRepresentatives|HasPointHomomorphism|HasPointsOfDesign|HasPolarSpaceType|HasPolyCodeword|HasPolynomialDegreeOfGrowth|HasPolynomialDegreeOfGrowthOfUnderlyingAutomaton|HasPolynomialNearRingFlag|HasPolynomialOfForm|HasPolynomialRingWithDegRevLexOrdering|HasPolynomialRingWithLexicographicOrdering|HasPolynomialRingWithProductOrdering|HasPolynomialRingWithWeightedOrdering|HasPolynomialsWithoutRelativeIndeterminates|HasPosetOfPosetAlgebra|HasPosetOfPrincipalCongruences|HasPosetOfPrincipalLeftCongruences|HasPosetOfPrincipalRightCongruences|HasPosition|HasPositionOfFirstNonZeroEntryPerColumn|HasPositionOfFirstNonZeroEntryPerRow|HasPositionsInSupersemigroup|HasPositiveRootVectors|HasPositiveRoots|HasPositiveRootsAsWeights|HasPositiveRootsFC|HasPositiveRootsInConvexOrder|HasPositiveRootsNF|HasPositiveRootsOfUnitForm|HasPowerOverBaseRoot|HasPowerOverSmallestRoot|HasPowerS|HasPowerSeries|HasPowerSubalgebra|HasPowerSubalgebraSeries|HasPowers|HasPreCat1AlgebraOfPreXModAlgebra|HasPreCat1GroupRecordOfPreXMod|HasPreCat2GroupOfPreCrossedSquare|HasPreCrossedSquareOfPreCat2Group|HasPreEval|HasPreImagesRange|HasPreXModAlgebraOfPreCat1Algebra|HasPreXModRecordOfPreCat1Group|HasPrecisionFloat|HasPrefrattiniSubgroup|HasPregroup|HasPregroupElementId|HasPregroupInverse|HasPregroupOf|HasPregroupPresentationOf|HasPresentationIdeal|HasPresentationOfGradedStructureConstantAlgebra|HasPrevLocation|HasPrimaryDecomposition|HasPrimaryGeneratorWords|HasPrimeDivisors|HasPrimeField|HasPrimeIdeals|HasPrimeOfLiePRing|HasPrimePGroup|HasPrimePowerComponents|HasPrimePowerGensPcSequence|HasPrimeSet|HasPrimesDividingSize|HasPrimitiveCentralIdempotentsByExtSSP|HasPrimitiveCentralIdempotentsByStrongSP|HasPrimitiveElement|HasPrimitiveIdempotents|HasPrimitiveIdentification|HasPrimitiveRoot|HasPrincipalCongruencesOfSemigroup|HasPrincipalCrossedPairing|HasPrincipalDerivations|HasPrincipalFactor|HasPrincipalLeftCongruencesOfSemigroup|HasPrincipalRightCongruencesOfSemigroup|HasProcedureToNormalizeGenerators|HasProcedureToReadjustGenerators|HasProcessID|HasProcessToDoList|HasProductOfIndeterminates|HasProductOfIndeterminatesOverBaseRing|HasProjDimension|HasProjection|HasProjectionFromBlocks|HasProjectionOfFactorPreXMod|HasProjections|HasProjectionsToCoordinates|HasProjectiveCover|HasProjectiveDegree|HasProjectiveDimension|HasProjectiveOrder|HasProjectives|HasProjectivesFList|HasProjectivesFPrimeList|HasProjectivesInfo|HasProjectivityGroup|HasProjector|HasProjectorFunction|HasProportionallyModularConditionNS|HasPseudoFrobenius|HasPseudoFrobeniusOfIdealOfNumericalSemigroup|HasPseudoFrobeniusOfNumericalSemigroup|HasPseudoInverse|HasPseudoRandomSeed|HasPthPowerImages|HasPullbackInfo|HasPullbackPairOfMorphisms|HasPullbacks|HasPurityFiltration|HasPushoutPairOfMorphisms|HasPushouts|HasQUEAToUEAMap|HasQuadraticForm|HasQuadraticFormOfUnitForm|HasQuantizedUEA|HasQuantumParameter|HasQuasiDihedralGenerators|HasQuasiregularElements|HasQuaternionGenerators|HasQuiverOfPathAlgebra|HasQuiverOfPathRing|HasQuiverProductDecomposition|HasQuotientSemigroupCongruence|HasQuotientSemigroupHomomorphism|HasQuotientSemigroupPreimage|HasRClassOfHClass|HasRClassReps|HasRClassType|HasRClasses|HasREPN_ComputeUsingMyMethod|HasREPN_ComputeUsingMyMethodCanonical|HasREPN_ComputeUsingSerre|HasRIFac|HasRIKer|HasRIParent|HasRLetters|HasRMSNormalization|HasRMatrix|HasRPerms|HasRProjectives|HasRProjectivesVertexList|HasRStarClass|HasRStarClasses|HasRStarRelation|HasRZMSConnectedComponents|HasRZMSDigraph|HasRZMSNormalization|HasRack2YB|HasRadical|HasRadicalDecomposition|HasRadicalFunction|HasRadicalOfAlgebra|HasRadicalOfForm|HasRadicalSeriesOfAlgebra|HasRadicalSubobject|HasRange|HasRangeAid|HasRangeCategoryOfHomomorphismStructure|HasRangeEmbedding|HasRangeEndomorphism|HasRangeHom|HasRangeOfFunctor|HasRangeProjection|HasRank2Parameters|HasRank3|HasRankAction|HasRankAttr|HasRankMat|HasRankMatDestructive|HasRankMatrix|HasRankMorphism|HasRankOfBipartition|HasRankOfBlocks|HasRankOfFreeGroup|HasRankOfKernelOfActionOnRespectedPartition|HasRankOfObject|HasRankOfPartialPermCollection|HasRankOfPartialPermSemigroup|HasRankOfTransformation|HasRankPGroup|HasRat|HasRationalClasses|HasRationalFunctionsFamily|HasRationalParameters|HasRationalizedMat|HasRaysOfGroupoid|HasRealCayleyTriple|HasRealClasses|HasRealFormParameters|HasRealPart|HasRealStructure|HasRecNames|HasRecogDecompinfoHomomorphism|HasRecurList|HasReducedBasisOfColumnModule|HasReducedBasisOfRowModule|HasReducedColumnEchelonForm|HasReducedConfluentRewritingSystem|HasReducedDigraphAttr|HasReducedRowEchelonForm|HasReducedSyzygiesGeneratorsOfColumns|HasReducedSyzygiesGeneratorsOfRows|HasReductionNumber|HasReductionNumberIdealNumericalSemigroup|HasRedundancy|HasReesCongruenceOfSemigroupIdeal|HasReesMatrixSemigroupOfFamily|HasRefinedPcGroup|HasRefinedRespectedPartitions|HasRegularActionHomomorphism|HasRegularDClasses|HasRegularDerivations|HasRegularElements|HasRegularSections|HasRegularSemisimpleSubalgebras|HasReidemeisterMap|HasRelationsOfAlgebra|HasRelationsOfFpMonoid|HasRelationsOfFpSemigroup|HasRelationsOfStzPresentation|HasRelativeDiameter|HasRelativeIndeterminateAntiCommutingVariablesOfExteriorRing|HasRelativeIndeterminateCoordinatesOfBiasedDoubleShiftAlgebra|HasRelativeIndeterminateCoordinatesOfDoubleShiftAlgebra|HasRelativeIndeterminateCoordinatesOfPseudoDoubleShiftAlgebra|HasRelativeIndeterminateCoordinatesOfRingOfDerivations|HasRelativeIndeterminateDerivationsOfRingOfDerivations|HasRelativeIndeterminatesOfPolynomialRing|HasRelativeIndex|HasRelativeOrderPcp|HasRelativeOrders|HasRelativeParametersOfRationalDoubleShiftAlgebra|HasRelativeParametersOfRationalPseudoDoubleShiftAlgebra|HasRelator|HasRelatorModulePoly|HasRelators|HasRelatorsAndInverses|HasRelatorsOfFpAlgebra|HasRelatorsOfFpGroup|HasRemoveContrapositions|HasRepresentationIsomorphism|HasRepresentative|HasRepresentativeOfMinimalDClass|HasRepresentativeOfMinimalIdeal|HasRepresentativeOutNeighbours|HasRepresentativeSmallest|HasRepresentativesContainedRightCosets|HasRepresentativesMinimalBlocksAttr|HasRepresentativesOfElements|HasRepresentativesPerfectSubgroups|HasRepresentativesSimpleSubgroups|HasResidual|HasResidualFunction|HasResidualFunctionOfFormation|HasResidualWrtFormation|HasResidueClassRing|HasResidueClassRingAsGradedLeftModule|HasResidueClassRingAsGradedRightModule|HasResidueLabelForEdge|HasRespectedPartition|HasRespectsAddition|HasRespectsAdditiveInverses|HasRespectsInverses|HasRespectsMultiplication|HasRespectsOne|HasRespectsScalarMultiplication|HasRespectsZero|HasRestrictedEndomorphismNearRingFlag|HasRestrictedInverseGeneralMapping|HasRetract|HasReverseNaturalPartialOrder|HasReversedArrow|HasRewritingSystemFpGroup|HasRewritingSystemOfWordAcceptor|HasRho|HasRhoAct|HasRhoBound|HasRhoCosets|HasRhoFunc|HasRhoIdentity|HasRhoInverse|HasRhoOrb|HasRhoOrbOpts|HasRhoOrbSCC|HasRhoOrbSCCIndex|HasRhoOrbSeed|HasRhoOrbStabChain|HasRhoRank|HasRight2DimensionalGroup|HasRight2DimensionalMorphism|HasRight3DimensionalGroup|HasRightActingAlgebra|HasRightActingDomain|HasRightActingGroup|HasRightActingRingOfIdeal|HasRightActionGroupoid|HasRightBasis|HasRightBlocks|HasRightCayleyDigraph|HasRightCayleyGraphSemigroup|HasRightCongruencesOfSemigroup|HasRightDerivations|HasRightGlobalDimension|HasRightGroebnerBasisOfModule|HasRightInnerMappingGroup|HasRightInverse|HasRightInverseOfHomomorphism|HasRightInverseProperty|HasRightMinimalVersion|HasRightMultiplicationGroup|HasRightMultiplicationGroupOfQuandle|HasRightMultiplicationGroupOfQuandleAsPerm|HasRightNilpotentIdeals|HasRightNucleus|HasRightOne|HasRightPermutations|HasRightPresentations|HasRightProjection|HasRightSection|HasRightSeries|HasRightTransversalInParent|HasRightTransversalsOfGraphOfGroupoids|HasRightTransversalsOfGraphOfGroups|HasRightUnitor|HasRightUnitorInverse|HasRigidNilpotentOrbits|HasRingElementConstructor|HasRingIdeal|HasRingRelations|HasRoot2dGroup|HasRootDatumInfo|HasRootGroupHomomorphism|HasRootIdentities|HasRootObject|HasRootOfDefiningPolynomial|HasRootSystem|HasRootsAsMatrices|HasRootsOfCode|HasRotationFactor|HasRound|HasRowEchelonForm|HasRowLength|HasRowRank|HasRowRankOfMatrix|HasRowSpaceBasis|HasRowSpaceTransformation|HasRowSpaceTransformationInv|HasRows|HasRowsOfMatrix|HasRowsOfReesMatrixSemigroup|HasRowsOfReesZeroMatrixSemigroup|HasRules|HasRulesOfSemigroup|HasSCAltshulerSteinberg|HasSCAutomorphismGroup|HasSCAutomorphismGroupSize|HasSCAutomorphismGroupStructure|HasSCAutomorphismGroupTransitivity|HasSCBoundaryEx|HasSCBoundaryOperatorMatrix|HasSCCentrallySymmetricElement|HasSCCoboundaryOperatorMatrix|HasSCCohomology|HasSCCohomologyBasis|HasSCCohomologyBasisAsSimplices|HasSCConnectedComponents|HasSCDate|HasSCDifferenceCycles|HasSCDim|HasSCDualGraph|HasSCEulerCharacteristic|HasSCExportIsoSig|HasSCFVector|HasSCFaces|HasSCFacesEx|HasSCFacetsEx|HasSCFpBettiNumbers|HasSCFundamentalGroup|HasSCGVector|HasSCGeneratorsEx|HasSCGenus|HasSCHVector|HasSCHasBoundary|HasSCHasInterior|HasSCHasseDiagram|HasSCHomalgBoundaryMatrices|HasSCHomalgCoboundaryMatrices|HasSCHomalgCohomology|HasSCHomalgCohomologyBasis|HasSCHomalgHomology|HasSCHomalgHomologyBasis|HasSCHomology|HasSCHomologyBasis|HasSCHomologyBasisAsSimplices|HasSCIncidencesEx|HasSCInterior|HasSCIntersectionForm|HasSCIntersectionFormDimensionality|HasSCIntersectionFormParity|HasSCIntersectionFormSignature|HasSCIsCentrallySymmetric|HasSCIsCollapsible|HasSCIsConnected|HasSCIsEmpty|HasSCIsEulerianManifold|HasSCIsFlag|HasSCIsHomologySphere|HasSCIsInKd|HasSCIsKNeighborly|HasSCIsKStackedSphere|HasSCIsManifold|HasSCIsOrientable|HasSCIsPseudoManifold|HasSCIsPure|HasSCIsShellable|HasSCIsSimplyConnected|HasSCIsSphere|HasSCIsStronglyConnected|HasSCIsTight|HasSCLabels|HasSCMinimalNonFacesEx|HasSCNSTriangulation|HasSCName|HasSCNeighborliness|HasSCNumFaces|HasSCOrientation|HasSCReference|HasSCShelling|HasSCSkelEx|HasSCSpanningTree|HasSCStronglyConnectedComponents|HasSCTopologicalType|HasSCVertices|HasSEMIGROUPS_FilterOfMatrixOverSemiring|HasSEMIGROUPS_TypeViewStringOfMatrixOverSemiring|HasSL2Triple|HasSLAComponents|HasSLDegree|HasSLUnderlyingField|HasSSPNonESSPAndTheirIdempotents|HasSameMinorantsSubgroup|HasSatakeDiagram|HasSatisfiesC|HasSatisfiesD|HasSaturateToDegreeZero|HasSaturatedFittingFormation|HasSaturatedFormation|HasSchreierData|HasSchunckClass|HasSchurCover|HasSchurCovering|HasSchurExtension|HasSchurExtensionEpimorphism|HasSchutzGpMembership|HasSchutzenbergerGroup|HasScottLength|HasScreenOfFormation|HasSec|HasSech|HasSeedFaithfulAction|HasSemiEchelonBasis|HasSemiEchelonMat|HasSemiEchelonMatTransformation|HasSemiSimpleEfaSeries|HasSemiSimpleType|HasSemidirectDecompositions|HasSemidirectProductInfo|HasSemigroupData|HasSemigroupDataIndex|HasSemigroupDirectProductInfo|HasSemigroupIdealData|HasSemigroupIdealOfReesCongruence|HasSemigroupOfAutomFamily|HasSemigroupOfCayleyDigraph|HasSemigroupOfRewritingSystem|HasSemigroupOfSelfSimFamily|HasSemigroupsOfStrongSemilatticeOfSemigroups|HasSemilatticeOfStrongSemilatticeOfSemigroups|HasSemiprimeIdeals|HasSesquilinearForm|HasSetAttributeOfObject|HasShiftsDownOn|HasShiftsUpOn|HasShodaPairsAndIdempotents|HasShortPresentation|HasShortRedBlobIndex|HasSign|HasSignBit|HasSignFloat|HasSignInOddCTPZ|HasSignPerm|HasSignatureTable|HasSigns|HasSimilarityGroup|HasSimpleModules|HasSimpleRootsAsWeights|HasSimpleSystem|HasSimpleSystemNF|HasSimplify|HasSimplifyHomalgMatrixByLeftAndRightMultiplicationWithInvertibleMatrices|HasSimplifyHomalgMatrixByLeftMultiplicationWithInvertibleMatrix|HasSimplifyHomalgMatrixByRightMultiplicationWithInvertibleMatrix|HasSimsNo|HasSin|HasSinCos|HasSingularGroebnerBasis|HasSingularIdentifier|HasSingularReducedGroebnerBasis|HasSinh|HasSinks|HasSize|HasSizeFoldDirectProduct|HasSizeOfAlphabet|HasSizeOfSmallestResidueClassRing|HasSizeRatExp|HasSizeUnderlyingSetDS|HasSizesCentralisers|HasSizesCentralizers|HasSizesConjugacyClasses|HasSkewbrace2YB|HasSkewbraceAList|HasSkewbraceMList|HasSlotUsagePattern|HasSmallElements|HasSmallElementsOfGoodIdeal|HasSmallElementsOfGoodSemigroup|HasSmallElementsOfIdealOfNumericalSemigroup|HasSmallElementsOfNumericalSemigroup|HasSmallGeneratingSet|HasSmallGeneratingSetForSemigroups|HasSmallInverseMonoidGeneratingSet|HasSmallInverseSemigroupGeneratingSet|HasSmallMonoidGeneratingSet|HasSmallSemigroupGeneratingSet|HasSmallerDegreePartialPermRepresentation|HasSmallerDegreePermutationRepresentation2DimensionalGroup|HasSmallestElementRClass|HasSmallestElementSemigroup|HasSmallestGeneratorPerm|HasSmallestIdempotentPower|HasSmallestImageOfMovedPoint|HasSmallestMovedPoint|HasSmallestMovedPointPerm|HasSmallestMultiplicationTable|HasSmallestRoot|HasSocle|HasSocleComplement|HasSocleComponents|HasSocleDimensions|HasSocleTypePrimitiveGroup|HasSolubleSocle|HasSolubleSocleComponents|HasSolution|HasSolvableFactorGroup|HasSolvableRadical|HasSolvableSeries|HasSolvableSocle|HasSolvableSocleComponents|HasSomeInjectiveObject|HasSomeInvariantSubgroupsOfGamma|HasSomeProjectiveObject|HasSomeReductionBySplitEpiSummand|HasSomeReductionBySplitEpiSummand_MorphismFromInputRange|HasSomeReductionBySplitEpiSummand_MorphismToInputRange|HasSomethingToDo|HasSortingPerm|HasSource|HasSourceAid|HasSourceEndomorphism|HasSourceForEquivalence|HasSourceGenerators|HasSourceHom|HasSourceOfFunctor|HasSourceOfIsoclinicTable|HasSourceOfPath|HasSourcePolynomialRing|HasSourceProjection|HasSourceRelations|HasSources|HasSparseCartanMatrix|HasSpecialCoveringRadius|HasSpecialDecoder|HasSpecialGaps|HasSpecialGapsOfNumericalSemigroup|HasSpecialHomographyGroup|HasSpecialIsometryGroup|HasSpecialPcgs|HasSpecialProjectivityGroup|HasSpecializedMorphismFilterForSerreQuotients|HasSpecializedObjectFilterForSerreQuotients|HasSpectralSequence|HasSphericalIndex|HasSphericallyTransitiveElement|HasSpinSymIngredients|HasSplittingField|HasSptSetZLMapInverseMat|HasSquare|HasStabChainImmutable|HasStabChainMutable|HasStabChainOptions|HasStabiliserVertex|HasStabilizerAction|HasStabilizerInfo|HasStabilizerOfExternalSet|HasStabilizerOfFirstLevel|HasStabilizerOfLevel|HasStableRank|HasStandardArray|HasStandardConjugate|HasStandardFlagOfCosetGeometry|HasStandardFrame|HasStandardGeneratorsInfo|HasStandardGeneratorsSubringSCRing|HasStandardizingConjugator|HasStar|HasStarGraphAttr|HasStarOfModule|HasStarOfModuleHomomorphism|HasStateSet|HasStdGens|HasStdPresentation|HasStoredExcludedOrders|HasStoredGroebnerBasis|HasStoredPartialMaxSubs|HasStoredPermliftSeries|HasStoredStabilizerChain|HasStraightLineProgElmType|HasStraightLineProgramsTom|HasString|HasStrongLeftIdeals|HasStrongOrientationAttr|HasStrongShodaPairs|HasStrongShodaPairsAndIdempotents|HasStructuralSeriesOfGroup|HasStructureConstantsTable|HasStructureDescription|HasStructureDescriptionMaximalSubgroups|HasStructureDescriptionSchutzenbergerGroups|HasStructureGroup|HasSubAdditiveFunctionNS|HasSubNearRings|HasSubcategoryMembershipFunctionForGeneralizedMorphismCategoryByThreeArrows|HasSubcategoryMembershipTestFunctionForSerreQuotient|HasSubdiagonal2DimensionalGroup|HasSubdigraphHomeomorphicToK23|HasSubdigraphHomeomorphicToK33|HasSubdigraphHomeomorphicToK4|HasSubdirectProductInfo|HasSubdirectProductWithEmbeddingsInfo|HasSubfields|HasSubgroupoidsOfGraphOfGroupoids|HasSubgroupsOfIndexTwo|HasSubnormalSeriesInParent|HasSubrings|HasSubsTom|HasSubspaces|HasSuccessors|HasSup|HasSuperDomain|HasSuperObject|HasSupersemigroupOfIdeal|HasSupersolubleProjector|HasSupersolvableProjector|HasSupersolvableResiduum|HasSupport|HasSupportOfFormation|HasSurjectiveActionHomomorphismAttr|HasSylowComplement|HasSylowSubgroup|HasSylowSubgroups|HasSylowSystem|HasSymbols|HasSymmetricAlgebra|HasSymmetricDegree|HasSymmetricMatrixOfUnitForm|HasSymmetricParentGroup|HasSymmetricPowerBaseModule|HasSymmetricPowerExponent|HasSymmetricPowers|HasSyndromeTable|HasSystemNormalizer|HasSyzygiesGeneratorsOfColumns|HasSyzygiesGeneratorsOfRows|HasTableOfMarks|HasTailMap|HasTailOfElm|HasTailOfGraphOfGroupsWord|HasTan|HasTanh|HasTarget|HasTargetOfPath|HasTargetOperation|HasTensorProductDecomposition|HasTensorProductOnObjects|HasTensorUnit|HasTermOrdering|HasTerminalObject|HasTerminalObjectFunctorial|HasTerminated|HasTerms|HasTermsOfPolynomial|HasTestMonomial|HasTestMonomialQuick|HasTestQuasiPrimitive|HasTestRelativelySM|HasTestSubnormallyMonomial|HasTheIdentityMorphism|HasTheMorphismToZero|HasTheZeroElement|HasTheoremRecord|HasThetaInvolution|HasThresholdNTPMatrix|HasThresholdTropicalMatrix|HasTietzeBackwardMap|HasTietzeForwardMap|HasTietzeOrigin|HasToDoList|HasTomDataAlmostSimpleRecognition|HasTopDegreeOfTree|HasTopOfModule|HasTopOfModuleProjection|HasTopVertexTransformations|HasTorsion|HasTorsionFreeExtension|HasTorsionFreeFactorEpi|HasTorsionObjectEmb|HasTorsionSubgroup|HasTorsionSubobject|HasTotalChernClass|HasTotalComplex|HasTrD|HasTrace|HasTraceField|HasTraceMap|HasTraceMat|HasTraceMatrix|HasTraceOfMagmaRingElement|HasTraceOfSemigroupCongruence|HasTranformsOneIntoZero|HasTransParts|HasTransformationOnFirstLevel|HasTransformationOnLevel|HasTransformationRepresentation|HasTransformationSemigroupOnLevel|HasTransformsAdditionIntoMultiplication|HasTransformsAdditiveInversesIntoInverses|HasTransformsInversesIntoAdditiveInverses|HasTransformsMultiplicationIntoAddition|HasTransformsZeroIntoOne|HasTransitionMap|HasTransitiveIdentification|HasTransitivity|HasTransitivityCertificate|HasTranslationBasis|HasTranslationNormalizer|HasTranspose3DimensionalGroup|HasTransposeCat1Group|HasTransposeIsomorphism|HasTransposeOfModule|HasTransposeOfModuleHomomorphism|HasTransposedClasses|HasTransposedMat|HasTransposedMatAttr|HasTransposedMatImmutable|HasTransposedMatrixGroup|HasTriangulizedNullspaceMat|HasTrivialAlgebraModule|HasTrivialArtinianSubmodule|HasTrivialCharacter|HasTrivialExtensionOfQuiverAlgebra|HasTrivialExtensionOfQuiverAlgebraLevel|HasTrivialExtensionOfQuiverAlgebraProjection|HasTrivialGroebnerBasis|HasTrivialPostnikovInvariant|HasTrivialSubCat1Group|HasTrivialSubCat2Group|HasTrivialSubCrossedSquare|HasTrivialSubFLMLOR|HasTrivialSubPreCat1Group|HasTrivialSubPreCat2Group|HasTrivialSubPreCrossedSquare|HasTrivialSubPreXMod|HasTrivialSubXMod|HasTrivialSubadditiveMagmaWithZero|HasTrivialSubalgebra|HasTrivialSubgroup|HasTrivialSubmagmaWithOne|HasTrivialSubmodule|HasTrivialSubmonoid|HasTrivialSubnearAdditiveMagmaWithZero|HasTrivialSubspace|HasTrowProofTrackingObject|HasTrunc|HasTruncatedWilfNumberOfNumericalSemigroup|HasTwistingForCrossedProduct|HasTwitter|HasTwoCellFilter|HasTwoClosure|HasTwosidedInverses|HasTypeOfForm|HasTypeOfHomalgMatrix|HasTypeOfNGroup|HasTypeOfNumericalSemigroup|HasTypeOfObjWithMemory|HasTypeOfRootSystem|HasTypeReesMatrixSemigroupElements|HasTypesOfElementsOfIncidenceStructure|HasTypesOfElementsOfIncidenceStructurePlural|HasTzOptions|HasTzRules|HasUEA|HasUderlyingLieAlgebra|HasUnderlyingASIdeal|HasUnderlyingAdditiveGroup|HasUnderlyingAlgebra|HasUnderlyingAscendingLPresentation|HasUnderlyingAssociativeAlgebra|HasUnderlyingAutomFamily|HasUnderlyingAutomaton|HasUnderlyingAutomatonGroup|HasUnderlyingAutomatonSemigroup|HasUnderlyingCategory|HasUnderlyingCell|HasUnderlyingCharacterTable|HasUnderlyingCharacteristic|HasUnderlyingCollection|HasUnderlyingCongruence|HasUnderlyingCycleSet|HasUnderlyingExternalSet|HasUnderlyingFRMachine|HasUnderlyingFamily|HasUnderlyingField|HasUnderlyingFieldForHomalg|HasUnderlyingFreeGenerators|HasUnderlyingFreeGroup|HasUnderlyingFreeMonoid|HasUnderlyingFreeSubgroup|HasUnderlyingFunction|HasUnderlyingGeneralMapping|HasUnderlyingGeneralizedMorphism|HasUnderlyingGeneralizedMorphismCategory|HasUnderlyingGeneralizedObject|HasUnderlyingGroup|HasUnderlyingGroupRing|HasUnderlyingHomalgRing|HasUnderlyingHonestCategory|HasUnderlyingHonestObject|HasUnderlyingIndeterminate|HasUnderlyingInjectionZeroMagma|HasUnderlyingInvariantLPresentation|HasUnderlyingLeftModule|HasUnderlyingLieAlgebra|HasUnderlyingMagma|HasUnderlyingMatrix|HasUnderlyingMealyElement|HasUnderlyingModule|HasUnderlyingModuleElement|HasUnderlyingMorphism|HasUnderlyingMultiplicativeGroup|HasUnderlyingNSIdeal|HasUnderlyingRelation|HasUnderlyingRing|HasUnderlyingRingElement|HasUnderlyingSelfSimFamily|HasUnderlyingSemigroup|HasUnderlyingSemigroupElementOfMonoidByAdjoiningIdentityElt|HasUnderlyingSemigroupFamily|HasUnderlyingSemigroupOfCongruencePoset|HasUnderlyingSemigroupOfMonoidByAdjoiningIdentity|HasUnderlyingSemigroupOfSemigroupWithAdjoinedZero|HasUnderlyingSubobject|HasUndirectedSpanningForestAttr|HasUndirectedSpanningTreeAttr|HasUniformGeneratorsOfModule|HasUniqueMorphism|HasUniqueObject|HasUnitGroup|HasUnitObject|HasUnitarySubgroup|HasUnits|HasUnivariateMonomialsOfMonomial|HasUniversalEnvelopingAlgebra|HasUniversalMorphismFromInitialObject|HasUniversalMorphismFromZeroObject|HasUniversalMorphismIntoTerminalObject|HasUniversalMorphismIntoZeroObject|HasUnreducedFpSemigroup|HasUnreducedNumeratorOfHilbertPoincareSeries|HasUp2DimensionalGroup|HasUp2DimensionalMorphism|HasUp3DimensionalGroup|HasUpDownMorphism|HasUpGeneratorImages|HasUpHomomorphism|HasUpImagePositions|HasUpperActingDomain|HasUpperBoundOptimalMinimumDistance|HasUpperCentralSeriesOfGroup|HasUpperFittingSeries|HasUseLibraryCollector|HasUsedOperationMultiples|HasUsedOperations|HasUsedOperationsWithMultiples|HasVHRws|HasVHStructure|HasVagnerPrestonRepresentation|HasValuesOfClassFunction|HasVectorCodeword|HasVertexGraph|HasVertexGraphDistances|HasVertexTransformations|HasVertexTransformationsFRElement|HasVertexTransformationsFRMachine|HasVertexTripleCache|HasVertexTriples|HasVerticalAction|HasVerticesOfGraphInverseSemigroup|HasVerticesOfQuiver|HasVoganDiagram|HasWalkOfPath|HasWasCreatedAsOppositeCategory|HasWeakInverseProperty|HasWeddDecomp|HasWeddDecompData|HasWedderburnDecompositionInfo|HasWedderburnRadical|HasWeight|HasWeightCodeword|HasWeightDistribution|HasWeightOfGenerators|HasWeightedBasis|HasWeightedDynkinDiagram|HasWeightsAndVectors|HasWeightsOfIndeterminates|HasWeightsTom|HasWeylGroup|HasWeylGroupAsPermGroup|HasWeylPermutations|HasWeylWord|HasWhiteheadGroupGeneratingDerivations|HasWhiteheadGroupGeneratorPositions|HasWhiteheadGroupTable|HasWhiteheadMonoidTable|HasWhiteheadPermGroup|HasWhiteheadTransformationMonoid|HasWhiteheadXMod|HasWilfNumber|HasWilfNumberOfNumericalSemigroup|HasWittIndex|HasWordAcceptorOfDoubleCosetRws|HasWordAcceptorOfReducedRws|HasWordLength|HasWordOfGraphOfGroupoidsWord|HasWordOfGraphOfGroupsWord|HasWords|HasWreathProductInfo|HasWreathRecursion|HasWyckoffOrbit|HasWyckoffPositions|HasWyckoffStabilizer|HasXModAction|HasXModAlgebraAction|HasXModAlgebraConst|HasXModAlgebraOfCat1Algebra|HasXModByAutomorphismGroup|HasXModByInnerAutomorphismGroup|HasXModByPeifferQuotient|HasXModCentre|HasXModMorphismOfCat1GroupMorphism|HasXModOfCat1Group|HasYB2CycleSet|HasYBPermutationGroup|HasYSequenceModulePoly|HasYieldsDiscreteUniversalGroup|HasZClassRepsQClass|HasZero|HasZeroAttr|HasZeroCoefficient|HasZeroColumns|HasZeroImmutable|HasZeroModule|HasZeroModuleProduct|HasZeroObject|HasZeroObjectFunctorial|HasZeroOfBaseDomain|HasZeroRows|HasZeroSubobject|HasZeroSymmetricElements|HasZeroSymmetricPart|HasZerothRegularity|HasZeta|HasZuppos|Has__ID|Hascalcnicegens|HascorelgCompactDimOfCSA|HascorelgRealWG|Hasfhmethsel|HasfindgensNmeth|Hasforfactor|Hasforkernel|HasgensN|HasgensNslp|HashBasic|HashClashFct|HashDictAddDictionary|HashFinger|HashFuncForElements|HashFuncForSetElements|HashFunct|HashKey|HashKeyBag|HashKeyEnumerator|HashKeyOfPrint|HashKeyWholeBag|HashMap|HashMapFamily|HashMapType|HashPair|HashSet|HashSetFamily|HashSetType|HashTabFamily|HashTabType|HashValueOfRcwaMapping|Hash_PermGroup_Complete|Hash_PermGroup_Fast|HashomalgTable|Hasimmediateverification|Hasisequal|Hasisone|Hasmethodsforfactor|Haspregensfac|HasrowcolsquareGroup|HasrowcolsquareGroup2|HasseDiagram|HasseDiagramBinaryRelation|HasseDiagramOfAperyListOfNumericalSemigroup|HasseDiagramOfBettiElementsOfNumericalSemigroup|HasseDiagramOfNumericalSemigroup|Hasslpforelement|Hasslptonice|Hasslptostd|HaveEdgeLabelsBeenAssigned|HaveFiniteCoresolutionInAddM|HaveFiniteResolutionInAddM|HaveIsomorphicModularGroupAlgebras|HeLP_AddGaloisCharacterSums|HeLP_AllOrders|HeLP_AllOrdersPQ|HeLP_AutomorphismOrbits|HeLP_CT|HeLP_Change4ti2Precision|HeLP_ChangeCharKeepSols|HeLP_CharacterValue|HeLP_FindAndVerifySolution|HeLP_INTERNAL_CheckChar|HeLP_INTERNAL_CompatiblePartialAugmentations|HeLP_INTERNAL_DivNotOne|HeLP_INTERNAL_DuplicateFreeSystem|HeLP_INTERNAL_IsIntVect|HeLP_INTERNAL_IsTrivialSolution|HeLP_INTERNAL_MakeCoefficientMatrixChar|HeLP_INTERNAL_MakeRightSideChar|HeLP_INTERNAL_MakeSystem|HeLP_INTERNAL_MakeSystemSConstant|HeLP_INTERNAL_PValuation|HeLP_INTERNAL_PositionsInCT|HeLP_INTERNAL_ProperDiv|HeLP_INTERNAL_Redund|HeLP_INTERNAL_SConstantCharacters|HeLP_INTERNAL_SortCharacterTablesByDegrees|HeLP_INTERNAL_TestSystem|HeLP_INTERNAL_VerifySolution|HeLP_INTERNAL_WagnerTest|HeLP_INTERNAL_WithGivenOrder|HeLP_INTERNAL_WithGivenOrderAllTables|HeLP_INTERNAL_WithGivenOrderAndPA|HeLP_INTERNAL_WithGivenOrderAndPAAllTables|HeLP_Info|HeLP_IsZCKnown|HeLP_MultiplicitiesOfEigenvalues|HeLP_PQ|HeLP_PossiblePartialAugmentationsOfPowers|HeLP_PrintSolution|HeLP_Reset|HeLP_Solver|HeLP_UseRedund|HeLP_VerifySolution|HeLP_Vertices|HeLP_WagnerTest|HeLP_WithGivenOrder|HeLP_WithGivenOrderAllTables|HeLP_WithGivenOrderAndPA|HeLP_WithGivenOrderAndPAAllTables|HeLP_WithGivenOrderAndPAAndSpecificSystem|HeLP_WithGivenOrderSConstant|HeLP_WriteTrivialSolution|HeLP_ZC|HeLP_settings|HeLP_sol|HeadComplementGens|HeadMap|HeadOfArrow|HeadOfGraphOfGroupsWord|HeadPcElementByNumber|HeadVector|HeadsInfoOfSemiEchelonizedMat|HeadsInfoOfSemiEchelonizedMats|Heap|HeapFamily|HeapMin|HeapSize|Heapify|HeckeOmega|HeckeOperatorWeight2|HeckePIMFockType|HeckePIMType|HeckeSimpleFockType|HeckeSimpleType|HeckeSpechtFockType|HeckeSpechtType|HeckeType|HeightOfPoset|HeisenbergPcpGroup|HelloWorld|HelmGraph|HelmGraphCons|HelpForCAP|HelperToInstallFirstAndSecondArgumentOfBivariateFunctorOnComplexes|HelperToInstallFirstArgumentOfBivariateDeltaFunctor|HelperToInstallFirstArgumentOfBivariateFunctorOnChainMorphisms|HelperToInstallFirstArgumentOfBivariateFunctorOnComplexes|HelperToInstallFirstArgumentOfBivariateFunctorOnMorphismsAndSecondArgumentOnComplexes|HelperToInstallFirstArgumentOfTrivariateDeltaFunctor|HelperToInstallMethodsForGradedRingElementsAttributes|HelperToInstallSecondArgumentOfBivariateDeltaFunctor|HelperToInstallSecondArgumentOfBivariateFunctorOnChainMorphisms|HelperToInstallSecondArgumentOfBivariateFunctorOnComplexes|HelperToInstallSecondArgumentOfTrivariateDeltaFunctor|HelperToInstallThirdArgumentOfTrivariateDeltaFunctor|HelperToInstallUnivariateDeltaFunctor|HelperToInstallUnivariateFunctorOnChainMorphisms|HelperToInstallUnivariateFunctorOnComplexes|HenonOrbit|HenselBound|HermElementNumber|HermNumberElement|HermiteIntMatLLL|HermiteIntMatLLLTrans|HermiteMatDestructive|HermiteMatTransformationDestructive|HermiteNormalFormIntegerMat|HermiteNormalFormIntegerMatTransform|HermiteNormalFormIntegerMatTransforms|HermitianFormByMatrix|HermitianFormByPolynomial|HermitianFormCollFamily|HermitianFormFamily|HermitianFormFieldReduction|HermitianFormType|HermitianPolarSpace|HermitianPolarityOfProjectiveSpace|HermitianVariety|HeuGcdIntPolsCoeffs|HeuGcdIntPolsExtRep|HeuristicCancelPolynomialsExtRep|HeuristicTranslationsLaTeX2XML|HexBlistSetup|HexSHA256|HexStringBlist|HexStringBlistEncode|HexStringInt|HexStringUUID|HideGlobalVariables|HighLevelGroebnerBasis|HigherDimension|HigherDimensionalMagmaMorphism|HighestBidegreeInBicomplex|HighestBidegreeInBigradedObject|HighestBidegreeInSpectralSequence|HighestBidegreeObjectInBicomplex|HighestBidegreeObjectInBigradedObject|HighestBidegreeObjectInSpectralSequence|HighestDegree|HighestDegreeMorphism|HighestDegreeObject|HighestKnownDegree|HighestKnownPosition|HighestLevelInSpectralSequence|HighestLevelSheetInSpectralSequence|HighestTotalDegreeInSpectralSequence|HighestTotalObjectDegreeInBicomplex|HighestWeightModule|HighestWeightsAndVectors|HigmanSimsGraph|HilbertBasisOfSystemOfHomogeneousEquations|HilbertBasisOfSystemOfHomogeneousInequalities|HilbertFunction|HilbertFunctionOfIdealOfNumericalSemigroup|HilbertPoincareSeries|HilbertPoincareSeries_ViaBettiTableOfMinimalFreeResolution|HilbertPolynomial|HilbertPolynomialOfHilbertPoincareSeries|HilbertPolynomial_ViaBettiTableOfMinimalFreeResolution|HilbertSeriesG|HilbertSeriesOfNumericalSemigroup|HilbertSeriesQA|HirschLength|History|HnnExtension|HnnExtensionInfo|HoffmanCliqueBound|HoffmanCocliqueBound|HoffmanSingletonGraph|Holes|HolesOfNumericalSemigroup|HolonomyGroup|Hom|HomFactoringThroughProjOverAlgebra|HomFromProjective|HomHom|HomOverAlgebra|HomStructure|HomToGModule|HomToGModule_hom|HomToInt_ChainComplex|HomToInt_ChainMap|HomToInt_CochainComplex|HomToIntegers|HomToIntegersModP|HomToIntegralModule|HomalgAscendingFiltration|HomalgBettiTable|HomalgBicomplex|HomalgBigradedObject|HomalgCategory|HomalgChainMorphism|HomalgCocomplex|HomalgComplex|HomalgCyclotomicFieldInMAGMA|HomalgDescendingFiltration|HomalgDiagonalMatrix|HomalgElement|HomalgElementToInteger|HomalgExternalRingElement|HomalgFieldOfRationals|HomalgFieldOfRationalsInDefaultCAS|HomalgFieldOfRationalsInExternalGAP|HomalgFieldOfRationalsInMAGMA|HomalgFieldOfRationalsInMacaulay2|HomalgFieldOfRationalsInMaple|HomalgFieldOfRationalsInOscar|HomalgFieldOfRationalsInSage|HomalgFieldOfRationalsInSingular|HomalgFieldOfRationalsInUnderlyingCAS|HomalgFiltration|HomalgFiltrationFromTelescope|HomalgFiltrationFromTower|HomalgFreeLeftModule|HomalgFreeRightModule|HomalgGeneratorsForLeftModule|HomalgGeneratorsForRightModule|HomalgIdentityMap|HomalgIdentityMatrix|HomalgInitialIdentityMatrix|HomalgInitialMatrix|HomalgLocalMatrix|HomalgLocalRingElement|HomalgMap|HomalgMatrix|HomalgMatrixListList|HomalgMatrixWithAttributes|HomalgModuleElement|HomalgQRingInOscar|HomalgQRingInSingular|HomalgRelationsForLeftModule|HomalgRelationsForRightModule|HomalgResidueClassMatrix|HomalgResidueClassRingElement|HomalgRing|HomalgRingElement|HomalgRingOfCyclotomicIntegersInOscar|HomalgRingOfGoldenRatioIntegersInOscar|HomalgRingOfIntegers|HomalgRingOfIntegersInDefaultCAS|HomalgRingOfIntegersInExternalGAP|HomalgRingOfIntegersInMAGMA|HomalgRingOfIntegersInMacaulay2|HomalgRingOfIntegersInMaple|HomalgRingOfIntegersInOscar|HomalgRingOfIntegersInSage|HomalgRingOfIntegersInSingular|HomalgRingOfIntegersInUnderlyingCAS|HomalgRingRelationsAsGeneratorsOfLeftIdeal|HomalgRingRelationsAsGeneratorsOfRightIdeal|HomalgScalarMatrix|HomalgSpectralSequence|HomalgTableForLocalizedRingsForSingularTools|HomalgTableLinearSyzygiesForGradedRingsBasic|HomalgTableReductionMethodsForLocalizedRingsBasic|HomalgVoidMatrix|HomalgZeroLeftModule|HomalgZeroMap|HomalgZeroMatrix|HomalgZeroRightModule|HomeEnumerator|HomePcgs|HomogeneousBettiElementsOfNumericalSemigroup|HomogeneousCatenaryDegreeOfAffineSemigroup|HomogeneousCatenaryDegreeOfNumericalSemigroup|HomogeneousDiscreteGroupoid|HomogeneousExteriorComplexToModule|HomogeneousGroupoid|HomogeneousGroupoidNC|HomogeneousPartOfCohomologicalDegreeOverCoefficientsRing|HomogeneousPartOfDegreeZeroOverCoefficientsRing|HomogeneousPartOfMatrix|HomogeneousPartOfRingElement|HomogeneousPartOverCoefficientsRing|HomogeneousPolynomials|HomogeneousPolynomials_Bianchi|HomogeneousSeriesAbelianMatGroup|HomogeneousSeriesOfCongruenceModule|HomogeneousSeriesOfRationalModule|HomogeneousSeriesTriangularizableMatGroup|Homogenization|HomographyGroup|Homology|HomologyByPair|HomologyObject|HomologyObjectFunctorial|HomologyObjectFunctorialWithGivenHomologyObjects|HomologyOfComplex|HomologyOfDerivation|HomologyOfProjectiveSpace|HomologyOfPureCubicalComplex|HomologyPb|HomologyPbs|HomologyPrimePart|HomologySimplicialFreeAbelianGroup|HomologyVectorSpace|Homom|HomomorphicCanonicalPcgs|HomomorphicInducedPcgs|HomomorphicProduct|HomomorphismAsMatrix|HomomorphismByUnion|HomomorphismByUnionNC|HomomorphismChainToCommutativeDiagram|HomomorphismDigraphsFinder|HomomorphismFactorSemigroup|HomomorphismFactorSemigroupByClosure|HomomorphismFromImages|HomomorphismFromSinglePiece|HomomorphismFromSinglePieceNC|HomomorphismOfDirectProduct|HomomorphismOfPresentation|HomomorphismQuotientSemigroup|HomomorphismStructureOnMorphisms|HomomorphismStructureOnMorphismsWithGivenObjects|HomomorphismStructureOnObjects|HomomorphismToSinglePiece|HomomorphismToSinglePieceNC|HomomorphismTransformationSemigroup|Homomorphisms|HomomorphismsDigraphs|HomomorphismsDigraphsRepresentatives|HomomorphismsImages|HomomorphismsOfStrongSemilatticeOfSemigroups|HomomorphismsSeries|HomotopyCatOneGroup|HomotopyCrossedModule|HomotopyEquivalentLargerSubArray|HomotopyEquivalentLargerSubArray3D|HomotopyEquivalentLargerSubMatrix|HomotopyEquivalentLargerSubPermArray|HomotopyEquivalentLargerSubPermArray3D|HomotopyEquivalentLargerSubPermMatrix|HomotopyEquivalentMaximalPureCubicalSubcomplex|HomotopyEquivalentMaximalPureSubcomplex|HomotopyEquivalentMinimalPureCubicalSubcomplex|HomotopyEquivalentMinimalPureSubcomplex|HomotopyEquivalentSmallerSubArray|HomotopyEquivalentSmallerSubArray3D|HomotopyEquivalentSmallerSubMatrix|HomotopyEquivalentSmallerSubPermArray|HomotopyEquivalentSmallerSubPermArray3D|HomotopyEquivalentSmallerSubPermMatrix|HomotopyGraph|HomotopyGroup|HomotopyLowerCentralSeries|HomotopyLowerCentralSeriesOfCrossedModule|HomotopyModule|HomotopyTruncation|Homset|HomsetNC|HonestRepresentative|Hook|HookLengthDiagram|HookLengthDiagramOp|HookOp|HopfSatohSurface|HopfStructureTwist|HorizontalAction|HorizontalConversionFieldMat|HorizontalPostCompose|HorizontalPreCompose|HorizontalPreComposeFunctorWithNaturalTransformation|HorizontalPreComposeNaturalTransformationWithFunctor|HorseShoeResolution|Hostname|HowManyTimes|Hrules|HullCode|HumanReadableDefinition|HybridMatrixCanoForm|HybridOrbitCover|HybridSubdivision|HyperbolicQuadric|HypercubeGraph|HypercubeGraphCons|HyperplaneByDualCoordinates|Hyperplanes|Hypothenuse|I2Machine|I2Monoid|I4Machine|I4Monoid|IBr|IBrOfExtensionBySingularAutomorphism|IDEM_IMG_KER_NC|IDENTS_BOUND_GVARS|IDENTS_GVAR|IDQUASICATONEGROUP_DATA|ID_AVAILABLE|ID_AVAILABLE_FUNCS|ID_FUNC|ID_GROUP_FUNCS|ID_GROUP_TREE|ID_PPERM2|ID_PPERM4|ID_TRANS4|IEEE754FLOAT|IEEE754FloatsFamily|IEEE754_PSEUDOFIELD|IGNORE_IMMEDIATE_METHODS|IGSValFun|IGSValFun1|IGSValFun2|IGSValFun3|IGSValFun4|IMAGE_LIST_TRANS_INT|IMAGE_PPERM|IMAGE_SET_PPERM|IMAGE_SET_TRANS|IMAGE_SET_TRANS_INT|IMFList|IMFLoad|IMFRec|IMMEDIATES|IMMEDIATE_METHODS|IMMUTABILITY_LEVEL|IMMUTABILITY_LEVEL2|IMMUTABLE_COPY_OBJ|IMM_FLAGS|IMPLICATIONS_COMPOSED|IMPLICATIONS_SIMPLE|IN|INDETS_POLY_EXTREP|INDEX_PERIOD_PPERM|INFODATA_CLASSNAME|INFODATA_CURRENTLEVEL|INFODATA_DEFAULT_HANDLER|INFODATA_HANDLER|INFODATA_NUM|INFODATA_OUTPUT|INFO_CLASSES|INFO_DEBUG|INFO_FILTERS|INFO_OBSOLETE|INFO_OWA|INITPSEUDORANDOM@FR|INPUT_FILENAME|INPUT_LINENUMBER|INPUT_LOG_TO|INPUT_LOG_TO_STREAM|INPUT_TEXT_FILE|INSERT_IN_STRING_WITH_REPLACE|INSTALL@FR|INSTALLFLOATCONSTRUCTORS|INSTALLFLOATCREATOR|INSTALLMEHANDLER@FR|INSTALLMMHANDLER@FR|INSTALLPRINTERS@FR|INSTALL_ADD_FUNCTIONS_FOR_CATEGORY|INSTALL_EARLY_METHOD|INSTALL_FUNCTIONS_FOR_GENERALIZED_MORPHISM_BY_THREE_ARROWS_CATEGORY|INSTALL_FUNCTIONS_FOR_GENERALIZED_MORPHISM_CATEGORY_BY_COSPANS|INSTALL_FUNCTIONS_FOR_GENERALIZED_MORPHISM_CATEGORY_BY_SPANS|INSTALL_FUNCTIONS_FOR_MATRIX_CATEGORY|INSTALL_FUNCTOR_GET_RID_OF_ZERO_GENERATORS|INSTALL_FUNCTOR_GET_RID_OF_ZERO_GENERATORS_METHODS|INSTALL_FUNCTOR_STANDARD_MODULE|INSTALL_FUNCTOR_STANDARD_MODULE_METHODS|INSTALL_GET_RID_OF_ZERO_GENERATORS_TRANSFORMATION_TRIPLE|INSTALL_GET_RID_OF_ZERO_GENERATORS_TRANSFORMATION_TRIPLE_METHOD|INSTALL_GLOBAL_FUNCTION|INSTALL_IMMEDIATE_METHOD|INSTALL_LOGICAL_IMPLICATIONS_HELPER|INSTALL_METHOD|INSTALL_METHOD_FLAGS|INSTALL_NATURAL_TRANSFORMATION_FROM_IDENTITY_TO_GET_RID_OF_GENERATORS_METHOD|INSTALL_NATURAL_TRANSFORMATION_FROM_IDENTITY_TO_LESS_GENERATORS_METHOD|INSTALL_NATURAL_TRANSFORMATION_FROM_IDENTITY_TO_STANDARD_MODULE_METHOD|INSTALL_PREDICATE_IMPLICATION|INSTALL_TERMINAL_CATEGORY_FUNCTIONS|INSTALL_TODO_FOR_LOGICAL_THEOREMS|INSTALL_TODO_LIST_ENTRIES_FOR_MATRICES_OF_RELATIONS|INSTALL_TODO_LIST_ENTRIES_FOR_MORPHISMS_AND_IMAGE_EMBEDDINGS|INSTALL_TODO_LIST_ENTRIES_FOR_OPPOSITE_CATEGORY|INSTALL_TODO_LIST_ENTRIES_FOR_OPPOSITE_MORPHISM|INSTALL_TODO_LIST_ENTRIES_FOR_OPPOSITE_OBJECT|INSTALL_TODO_LIST_ENTRIES_FOR_RELATIONS_OF_MODULES|INSTALL_TODO_LIST_FOR_EQUAL_MORPHISMS|INSTALL_TODO_LIST_FOR_EQUAL_OBJECTS|INSTALL_TODO_LIST_FROM_GENERALIZED_TO_ASSOCIATED_MORPHISM|INT2SEQ@FR|INTERACT_SET_ACE_OPTIONS|INTERACT_TO_ACE_WITH_ERRCHK|INTERNAL_HOM_EMBEDDING_IN_TENSOR_PRODUCT_LEFT|INTERNAL_HOM_EMBEDDING_IN_TENSOR_PRODUCT_RIGHT|INTERNAL_TEST_CONV_INT|INTERNAL_TEST_CONV_INT8|INTERNAL_TEST_CONV_UINT|INTERNAL_TEST_CONV_UINT8|INTERNAL_TEST_CONV_UINTINV|INTERSECTION_LIMIT|INTER_BLIST|INTER_RANGE|INTER_SET|INTFLOOR_MACFLOAT|INTLIST_STRING|INTOBJ_MAX|INTOBJ_MIN|INT_CHAR|INT_FFE_DEFAULT|INT_MPFR|INT_STRING|INT_TAG|INV|INVERSE@FR|INVMODINT|INVOLVEDGENERATORS@FR|INVTRANSPCACHE|INV_GF2MAT_IMMUTABLE|INV_GF2MAT_MUTABLE|INV_GF2MAT_SAME_MUTABILITY|INV_KER_TRANS|INV_LIST_TRANS|INV_MAT8BIT_IMMUTABLE|INV_MAT8BIT_MUTABLE|INV_MAT8BIT_SAME_MUTABILITY|INV_MATRIX_IMMUTABLE|INV_MATRIX_MUTABLE|INV_MATRIX_SAME_MUTABILITY|INV_MAT_DEFAULT_IMMUTABLE|INV_MAT_DEFAULT_MUTABLE|INV_MAT_DEFAULT_SAME_MUTABILITY|INV_MPFR|INV_MUT|INV_PLIST_GF2VECS_DESTRUCTIVE|INV_SAMEMUT|IN_LIST_DEFAULT|IN_LOGGING_MODE|IN_SCSCP_BINARY_MODE|IN_SCSCP_TRACING_MODE|IO|IOHub|IOHubFamily|IOHubType|IO_AddToPickled|IO_AddToUnpickled|IO_CallWithTimeout|IO_CallWithTimeoutList|IO_ClearPickleCache|IO_Close|IO_CloseAllFDs|IO_CompressedFile|IO_EOF|IO_Environment|IO_Error|IO_File|IO_FileFilterString|IO_FilteredFile|IO_FinalizePickled|IO_FinalizeUnpickled|IO_FindExecutable|IO_Flush|IO_FlushNonBlocking|IO_ForkExecWithFDs|IO_FuncToUnpickle|IO_GenericObjectPickler|IO_GenericObjectUnpickler|IO_GetFD|IO_GetWBuf|IO_HasData|IO_IgnorePid|IO_InstallSIGCHLDHandler|IO_IsAlreadyPickled|IO_ListDir|IO_MakeEnvList|IO_MakeIPAddressPort|IO_Nothing|IO_OK|IO_PICKLECACHE|IO_PackageIsLoaded|IO_Pickle|IO_PickleByString|IO_PickleToString|IO_PipeThrough|IO_PipeThroughWithError|IO_PkgThingsToRead|IO_Popen|IO_Popen2|IO_Popen3|IO_Read|IO_ReadAttribute|IO_ReadBlock|IO_ReadLine|IO_ReadLines|IO_ReadSmallInt|IO_ReadUntilEOF|IO_ReadyForFlush|IO_ReadyForWrite|IO_RestoreSIGCHLDHandler|IO_Result|IO_ResultsFamily|IO_Select|IO_SendStringBackground|IO_StartPipeline|IO_StringFilterFile|IO_Unpickle|IO_UnpickleByEvalString|IO_UnpickleByFunction|IO_UnpickleFromString|IO_Unpicklers|IO_WaitPid|IO_WrapFD|IO_Write|IO_WriteAttribute|IO_WriteFlush|IO_WriteLine|IO_WriteLines|IO_WriteNonBlocking|IO_WriteSmallInt|IO_accept|IO_bind|IO_chdir|IO_chmod|IO_chown|IO_close|IO_closedir|IO_connect|IO_creat|IO_dup|IO_dup2|IO_environ|IO_execv|IO_execve|IO_execvp|IO_exit|IO_fchmod|IO_fchown|IO_fcntl|IO_fork|IO_fstat|IO_getcwd|IO_gethostbyname|IO_gethostname|IO_getpid|IO_getppid|IO_getsockname|IO_getsockopt|IO_gettimeofday|IO_gmtime|IO_kill|IO_lchown|IO_link|IO_listen|IO_localtime|IO_lseek|IO_lstat|IO_make_sockaddr_in|IO_mkdir|IO_mkdtemp|IO_mkfifo|IO_mknod|IO_mkstemp|IO_open|IO_opendir|IO_pipe|IO_read|IO_readdir|IO_readlink|IO_realpath|IO_recv|IO_recvfrom|IO_rename|IO_rewinddir|IO_rmdir|IO_seekdir|IO_select|IO_send|IO_sendto|IO_setsockopt|IO_socket|IO_stat|IO_symlink|IO_telldir|IO_unlink|IO_write|IP_Closing|IP_Colors|IP_ColorsBlueTones|IP_ColorsCompBlueTones|IP_ColorsCompGreenTones|IP_ColorsCompRedTones|IP_ColorsDGrayTones|IP_ColorsGreenTones|IP_ColorsLGrayTones|IP_ColorsRedTones|IP_DotArrayOfIntegers|IP_Preamble|IP_SimpleTikzArrayOfIntegers|IP_Splash|IP_TableWithModularOrder|IP_TikzArrayOfIntegers|IP_TikzDefaultOptionsForArraysOfIntegers|IP_TonesLength|IRREDSOL_DATA|IRREDSOL_Read|IRR_POLS_OVER_GF_CACHE|ISBOUND_GLOBAL|ISB_GVAR|ISB_LIST|ISB_REC|ISFINITE_MINIMIZEDUAL@FR|ISFINITE_THOMPSONWIELANDT@FR|ISINVERTIBLE@FR|ISNAN_MPFR|ISNIL_FR@FR|ISNIL_GENERIC@FR|ISNINF_MPFR|ISNUMBER_MPFR|ISOMORPHICFRGENS@FR|ISOMORPHISMMEALYXXX@FR|ISOMORPHISM_MAINTAINED_INFO|ISONE@FR|ISPINF_MPFR|ISTRIANGULARVECTOR@FR|ISXINF_MPFR|ISZERO_MPFR|IS_ACE_STRINGS|IS_ACYCLIC_DIGRAPH|IS_ALL_PQ_LINE|IS_AND_FILTER|IS_ANTISYMMETRIC_DIGRAPH|IS_ATOMIC_RECORD|IS_AUTO_GVAR|IS_BIPART|IS_BLIST|IS_BLIST_CONV|IS_BLIST_REP|IS_BLOCKED_IOSTREAM|IS_BLOCKS|IS_BOOL|IS_BRACE|IS_COMOBJ|IS_CONSTANT_GLOBAL|IS_CONSTRUCTOR|IS_COPYABLE_OBJ|IS_CYC|IS_CYCLESET|IS_CYC_INT|IS_DATOBJ|IS_DENSE_LIST|IS_ELEMENTARY_FILTER|IS_END_OF_FILE|IS_EQUAL_FLAGS|IS_EQUAL_SET|IS_FFE|IS_FILTER|IS_FUNCTION|IS_HOMOG_LIST|IS_IDEM_PPERM|IS_IDEM_TRANS|IS_IDENTICAL_OBJ|IS_ID_TRANS|IS_IMPLIED_BY|IS_IMPLIED_DIRECT_SUM|IS_INC_POS_INT_LIST|IS_INPUT_TTY|IS_INT|IS_INTERNALLY_MUTABLE_OBJ|IS_LIST|IS_LIST_WITH_INDEX|IS_LOADABLE_DYN|IS_MULTI_DIGRAPH|IS_MUTABLE_OBJ|IS_OBJECT|IS_OPERATION|IS_OUTER_PLANAR|IS_OUTPUT_TTY|IS_PERM|IS_PGROUP_FOR_NILPOTENT|IS_PGROUP_FROM_SIZE|IS_PLANAR|IS_PLIST_REP|IS_POSOBJ|IS_POSS_LIST|IS_POSS_LIST_DEFAULT|IS_PPERM|IS_PQ_PROMPT|IS_PROBAB_PRIME_INT|IS_PROFILED_FUNC|IS_RACK|IS_RANGE|IS_RANGE_REP|IS_RAT|IS_READ_ONLY_GLOBAL|IS_REC|IS_SSORT_LIST|IS_SSORT_LIST_DEFAULT|IS_STRING|IS_STRING_CONV|IS_STRING_REP|IS_STRONGLY_CONNECTED_DIGRAPH|IS_SUBSET_FLAGS|IS_SUBSET_SET|IS_SUBSTRING|IS_SUB_BLIST|IS_TABLE_LIST|IS_TRANS|IS_TRANSITIVE_DIGRAPH|IS_VECFFE|IS_YB|ITERATEMAP@FR|ITER_POLY_WARN|IYBBrace|IYBGroup|IdAISMatrixGroup|IdAbsolutelyIrreducibleSolubleMatrixGroup|IdAbsolutelyIrreducibleSolvableMatrixGroup|IdBrace|IdCat1Group|IdCatOneGroup|IdConnectedQuandle|IdCrossedModule|IdCycleSet|IdElement|IdFunc|IdGap3SolvableGroup|IdGraphNC|IdGroup|IdGroupsAvailable|IdIrredSolMatrixGroup|IdIrredSolMatrixGroupIndexMS|IdIrreducibleSolubleMatrixGroup|IdIrreducibleSolubleMatrixGroupIndexMS|IdIrreducibleSolvableMatrixGroup|IdIrreducibleSolvableMatrixGroupIndexMS|IdLibraryNearRing|IdLibraryNearRingWithOne|IdOfFilter|IdOfFilterByName|IdPcpGroup|IdPrimitiveSolubleGroup|IdPrimitiveSolubleGroupNC|IdPrimitiveSolvableGroup|IdPrimitiveSolvableGroupNC|IdQuandle|IdQuasiCat1Group|IdQuasiCatOneGroup|IdQuasiCrossedModule|IdRealForm|IdSkewbrace|IdSmallGroup|IdSmallSemigroup|IdStandardPresented512Group|IdTWGroup|IdYB|Ideal|IdealByDivisorClosedSet|IdealByGenerators|IdealByGeneratorsForLieAlgebra|IdealBySubgroup|IdealContainedInKernelViaEliminateOverBaseRing|IdealDecompositionsOfPolynomial|IdealGS|IdealGeneratedBy|IdealNC|IdealOfAffineSemigroup|IdealOfNumericalSemigroup|IdealOfQuadraticIntegers|IdealOfQuotient|IdealOfRationalPoints|Ideals|IdealsOfAffineSemigroupsType|IdealsOfNumericalSemigroupsType|Idempotent|IdempotentBySubgroups|IdempotentCreator|IdempotentDefinedByFactorobject|IdempotentDefinedByFactorobjectByCospan|IdempotentDefinedByFactorobjectBySpan|IdempotentDefinedByFactorobjectByThreeArrows|IdempotentDefinedBySubobject|IdempotentDefinedBySubobjectByCospan|IdempotentDefinedBySubobjectBySpan|IdempotentDefinedBySubobjectByThreeArrows|IdempotentElements|IdempotentEndomorphisms|IdempotentEndomorphismsData|IdempotentEndomorphismsWithImage|IdempotentGeneratedSubsemigroup|IdempotentTester|Idempotent_eGsum|Idempotents|IdempotentsForDecomposition|IdempotentsSubset|IdempotentsTom|IdempotentsTomInfo|IdenticalPosition|IdentificationGenericGroup|IdentificationOfConjugacyClasses|IdentificationPermGroup|IdentificationSolvableGroup|Identifier|IdentifierLetters|IdentifierOfMainTable|IdentifiersOfDuplicateTables|IdentifyKnot|IdentifySubgroup|IdentitiesAmongRelators|IdentitiesAmongRelatorsKB|Identity|IdentityAmongRelators|IdentityAmongRelatorsDisplay|IdentityArrow|IdentityBinaryRelation|IdentityBipartition|IdentityDerivation|IdentityDoubleCoset|IdentityEndoMapping|IdentityFromSCTable|IdentityFunctor|IdentityMap|IdentityMapping|IdentityMappingOfElementsOfProjectiveSpace|IdentityMat|IdentityMatrix|IdentityMatrixOverFiniteField|IdentityMorphism|IdentityNilpotentLieAutomorphism|IdentityPBR|IdentityPGAutomorphism|IdentityPPowerPolyLocMat|IdentityPPowerPolyMat|IdentityRcwaMappingOfZ|IdentityRcwaMappingOfZxZ|IdentityRelatorSequences|IdentityRelatorSequencesKB|IdentitySection|IdentityTransformation|IdentityTwoCell|IdentityYSequences|IdentityYSequencesKB|IdsOfAllGroups|IdsOfAllSmallGroups|IdsOfSmallSemigroups|Ignore|Igs|IgsParallel|Image|ImageAddress|ImageAffineSubspaceLattice|ImageAffineSubspaceLatticePointwise|ImageAutPGroup|ImageAutomorphismDerivation|ImageByNHLB|ImageByNHSEB|ImageCR|ImageCREndo|ImageCRNorm|ImageDensity|ImageElementsOfRays|ImageElm|ImageElmActionHomomorphism|ImageElmCrossedPairing|ImageElmMapping2ArgumentsByFunction|ImageElmXModAction|ImageEmbedding|ImageEmbeddingWithGivenImageObject|ImageFittingSet|ImageGenerators|ImageInFiniteRankSchurMultiplier|ImageInWord|ImageInclusion|ImageKernelBlocksHomomorphism|ImageListOfPartialPerm|ImageListOfTransformation|ImageObject|ImageObjectEmb|ImageObjectEpi|ImageOfDerivation|ImageOfFpGModuleHomomorphism|ImageOfGOuterGroupHomomorphism|ImageOfMap|ImageOfNHLB|ImageOfPartialPermCollection|ImageOfProjection|ImageOfRingHomomorphism|ImageOfWhat|ImageOnAbelianCSPG|ImagePolynomialRing|ImageProjection|ImageProjectionInclusion|ImageRelations|ImageSetOfPartialPerm|ImageSetOfTransformation|ImageSiftedBaseImage|ImageSubobject|ImageSystemGauss|Images|ImagesElm|ImagesList|ImagesListOfBinaryRelation|ImagesOfObjects|ImagesOfRingMap|ImagesOfRingMapAsColumnMatrix|ImagesRepresentative|ImagesRepresentativeGMBIByElementsList|ImagesSet|ImagesSmallestGenerators|ImagesSource|ImagesSource2DimensionalMapping|ImagesTable|ImaginaryPart|ImfInvariants|ImfMatrixGroup|ImfNumberQClasses|ImfNumberQQClasses|ImfNumberZClasses|ImfPositionNumber|ImfRecord|ImgElmSLP|ImgElmSLPNonrecursive|ImmediateImplicationsIdentityMapping|ImmediateImplicationsZeroMapping|Immutable|ImmutableBasis|ImmutableMatrix|ImmutableVector|ImpliedNode|ImprimitivitySystems|ImprimitivitySystemsForRepresentation|ImprimitivitySystemsOp|ImproveActionDegreeByBlocks|ImproveMaps|ImproveOperationDegreeByBlocks|InCcGroup|InDegreeOfVertex|InDegreeOfVertexNC|InDegreeSequence|InDegreeSet|InDegrees|InDualCone|InLetter|InNeighbors|InNeighborsMutableCopy|InNeighborsOfVertex|InNeighbours|InNeighboursMutableCopy|InNeighboursOfVertex|InNeighboursOfVertexNC|InParentFOA|InbetweenPermAutomaton|InbetweenPermSet|IncidenceGraph|IncidenceGraphAttr|IncidenceGraphSupportBlockDesign|IncidenceMat|IncidenceMatrix|IncidenceMatrixOfGeneralisedPolygon|IncidenceMatrixToGraph|IncidenceStructure|IncludeInPathAlgebra|IncludeInProductQuiver|IncludedElements|IncludedLines|InclusionInDoubleCosetMonoid|InclusionMappingAlgebra|InclusionMappingGroupoids|InclusionMappingGroups|InclusionMorphism2DimensionalDomains|InclusionMorphismHigherDimensionalDomains|InclusionsGraph|IncomingArrowsOfVertex|IncorporateCentralRelations|IncorporateObj|IncreaseCounter|IncreaseCounterInObject|IncreaseCoveringRadiusLowerBound|IncreaseExistingCounterInObject|IncreaseExistingCounterInObjectWithTiming|IncreaseInterval|IncreaseRingStatistics|IncreasingOn|IndMatrix|IndPcgsWrtSpecFromFamOrHome|IndVector|IndecInjectiveModules|IndecProjectiveModules|IndecomposableElements|IndependentGeneratorExponents|IndependentGeneratorsAbelianPPermGroup|IndependentGeneratorsOfAbelianGroup|IndependentGeneratorsOfMaximalAbelianQuotientOfFpGroup|IndependentSet|Indeterminate|IndeterminateAndExponentOfUnivariateMonomial|IndeterminateAntiCommutingVariablesOfExteriorRing|IndeterminateByName|IndeterminateCoordinatesOfBiasedDoubleShiftAlgebra|IndeterminateCoordinatesOfDoubleShiftAlgebra|IndeterminateCoordinatesOfPseudoDoubleShiftAlgebra|IndeterminateCoordinatesOfRingOfDerivations|IndeterminateDegrees|IndeterminateDerivationsOfRingOfDerivations|IndeterminateName|IndeterminateNumberOfLaurentPolynomial|IndeterminateNumberOfUnivariateLaurentPolynomial|IndeterminateNumberOfUnivariateRationalFunction|IndeterminateNumbers|IndeterminateOfLaurentPolynomial|IndeterminateOfUnivariateRationalFunction|IndeterminateShiftsOfBiasedDoubleShiftAlgebra|IndeterminateShiftsOfDoubleShiftAlgebra|IndeterminateShiftsOfPseudoDoubleShiftAlgebra|IndeterminateShiftsOfRationalDoubleShiftAlgebra|IndeterminateShiftsOfRationalPseudoDoubleShiftAlgebra|Indeterminateness|IndeterminatenessInfo|Indeterminates|IndeterminatesOfExteriorRing|IndeterminatesOfFunctionField|IndeterminatesOfGradedAlgebraPresentation|IndeterminatesOfPolynomial|IndeterminatesOfPolynomialRing|Index|IndexCombs|IndexCombs2|IndexCosetTab|IndexGenerators|IndexInPSL2ZByFareySymbol|IndexInParent|IndexInSL2O|IndexInSL2Z|IndexInWholeGroup|IndexMSIdIrredSolMatrixGroup|IndexMSIdIrreducibleSolubleMatrixGroup|IndexMSIdIrreducibleSolvableMatrixGroup|IndexMinEnter|IndexNC|IndexOfRegularity|IndexOfVertexOfGraphInverseSemigroup|IndexOp|IndexPeriod|IndexPeriodOfPartialPerm|IndexPeriodOfSemigroupElement|IndexPeriodOfTransformation|IndexRWS|Indicator|IndicatorMatrixOfNonZeroEntries|IndicatorOp|IndicesAISMatrixGroups|IndicesAbsolutelyIrreducibleSolubleMatrixGroups|IndicesAbsolutelyIrreducibleSolvableMatrixGroups|IndicesCentralNormalSteps|IndicesChiefNormalSteps|IndicesEANormalSteps|IndicesEANormalStepsBounded|IndicesInvolutaryGenerators|IndicesIrredSolMatrixGroups|IndicesIrreducibleSolubleMatrixGroups|IndicesIrreducibleSolvableMatrixGroups|IndicesMaximalAISMatrixGroups|IndicesMaximalAbsolutelyIrreducibleSolubleMatrixGroups|IndicesMaximalAbsolutelyIrreducibleSolvableMatrixGroups|IndicesNormalSteps|IndicesOfAdjointBasis|IndicesOfSparseMatrix|IndicesPCentralNormalStepsPGroup|IndicesStabChain|Indirected|InduceAutGroup|InduceAuto|InduceAutoToMult|InduceAutoToQuot|InduceAutosToMult|InduceAutosToQuot|InduceCAutoToMult|InduceMatricesAndExtension|InduceScalars|InduceToFactor|Induced|InducedActionByHom|InducedActionByNHLB|InducedActionByNHSEB|InducedActionFactor|InducedActionFactorByNHLB|InducedActionFactorByNHSEB|InducedActionSubspaceByNHLB|InducedActionSubspaceByNHSEB|InducedAutCover|InducedAutomorphism|InducedAutomorphismsTable|InducedByField|InducedByPcp|InducedCat1Data|InducedCat1Group|InducedCat1GroupByFreeProduct|InducedClassFunction|InducedClassFunctions|InducedClassFunctionsByFusionMap|InducedCollineation|InducedCyclic|InducedDecompositionMatrix|InducedDerivation|InducedGModule|InducedHomomorphismOnCohomology|InducedLibraryCharacters|InducedLinearAction|InducedMatrix|InducedModule|InducedModuleByFieldReduction|InducedNilpotentOrbits|InducedNilpotentSeries|InducedPcgs|InducedPcgsByBasis|InducedPcgsByGenerators|InducedPcgsByGeneratorsNC|InducedPcgsByGeneratorsWithImages|InducedPcgsByPcSequence|InducedPcgsByPcSequenceAndGenerators|InducedPcgsByPcSequenceNC|InducedPcgsOp|InducedPcgsWrtFamilyPcgs|InducedPcgsWrtHomePcgs|InducedPcgsWrtSpecialPcgs|InducedQEAModule|InducedRepFpGroup|InducedRepresentation|InducedRepresentationImagesRepresentative|InducedSteenrodHomomorphisms|InducedSubdigraph|InducedSubgraph|InducedSubgroupRepresentation|InducedXMod|InducedXModByBijection|InducedXModByCopower|InducedXModByCoproduct|InducedXModBySurjection|InducedXModFromTrivialRange|InducedXModFromTrivialSource|InduciblePairs|Induction|InductionScheme|InductiveNumericalSemigroup|Inequalities|InertiaSubgroup|Inf|InfBits_AssocWord|InfBits_Equal|InfBits_ExponentSums1|InfBits_ExponentSums3|InfBits_ExponentSyllable|InfBits_ExtRepOfObj|InfBits_GeneratorSyllable|InfBits_Less|InfBits_NumberSyllables|InfBits_ObjByVector|InfBits_One|InfConcatenation|InfList|InfListType|InfiniteListOfGenerators|InfiniteListOfNames|InfiniteMetacyclicPcpGroup|Inflated|Inflation|InfluenceOfVariable|InfoACE|InfoACELevel|InfoANUPQ|InfoAction|InfoAlgebra|InfoAlnuth|InfoAtlasRep|InfoAttributes|InfoAutGrp|InfoAutomGrp|InfoAutomataSL|InfoAutomataViz|InfoBBox|InfoBckt|InfoBibTools|InfoCF|InfoCMeatAxe|InfoCOLEM|InfoCVec|InfoCategoryConstructor|InfoCharacterTable|InfoCircle|InfoClassFamily|InfoClasses|InfoClassical|InfoCoh|InfoCohomolo|InfoCollectingPPPPcp|InfoCollectingPPowerPoly|InfoCombinatorialFromTheLeftCollector|InfoCompPairs|InfoComplement|InfoConfluence|InfoCongruence|InfoConsistency|InfoConsistencyPPPPcp|InfoConsistencyRelPPowerPoly|InfoCorelg|InfoCorrectDiffMachine|InfoCorrectDiffMachine2|InfoCoset|InfoCoveringRadius|InfoData|InfoDataStructures|InfoDatabaseAttribute|InfoDebug|InfoDecision|InfoDiffHistoryVtx|InfoDiffReducedWord|InfoDiffReducedWord2|InfoDigraphs|InfoDirectProductElements|InfoDynamicDictionary|InfoEDIM|InfoElementOfQuotientOfPathAlgebra|InfoExamplesForHomalg|InfoExtReps|InfoFDPM|InfoFFMat|InfoFR|InfoFSA|InfoFactInt|InfoFactor|InfoFerret|InfoFerretDebug|InfoFerretOverloads|InfoFinInG|InfoFindEvenNormal|InfoFitFree|InfoFloat|InfoForm|InfoForms|InfoFpGroup|InfoFpSemigroup|InfoFromTheLeftCollector|InfoGAPDoc|InfoGBNP|InfoGBNPTime|InfoGalois|InfoGenSS|InfoGiants|InfoGlobal|InfoGradedModules|InfoGradedRingForHomalg|InfoGroebner|InfoGroebnerBasis|InfoGroup|InfoGroupoids|InfoGrpCon|InfoGuarana|InfoHAPcryst|InfoHAPprime|InfoHash|InfoHomClass|InfoHomalg|InfoHomalgBasicOperations|InfoHomalgToCAS|InfoHomology|InfoIO|InfoIO_ForHomalg|InfoIdRel|InfoIdgroup|InfoImf|InfoInfoEDIM|InfoInjector|InfoIntNorm|InfoIntPic|InfoIntStab|InfoIrredsol|InfoJellyfish|InfoKan|InfoKnuthBendix|InfoLICHM|InfoLICPX|InfoLIGRNG|InfoLIGrMOD|InfoLIHMAT|InfoLIHOM|InfoLIMAP|InfoLIMAT|InfoLIMOD|InfoLIMOR|InfoLIOBJ|InfoLIRNG|InfoLPRES|InfoLPRES_MAX_GENS|InfoLattice|InfoLevel|InfoLocalizeRingForHomalg|InfoLocalizeRingForHomalgShowUnits|InfoMajorana|InfoMasterWorker|InfoMatInt|InfoMatOrb|InfoMatricesForHomalg|InfoMatrix|InfoMatrixNq|InfoMeatAxe|InfoMethSel|InfoMethodSelection|InfoMinimumDistance|InfoModIsom|InfoModulesForHomalg|InfoMonomial|InfoMorph|InfoMtxHom|InfoNQ|InfoNSI|InfoNearRing|InfoNilMat|InfoNormalizer|InfoNumSgps|InfoNumtheor|InfoObsolete|InfoOfInstalledOperationsOfCategory|InfoOfObject|InfoOperation|InfoOptions|InfoOrb|InfoOutput|InfoOverGr|InfoPackageLoading|InfoPackageManager|InfoPathAlgebraModule|InfoPcGroup|InfoPcNormalizer|InfoPcSubgroup|InfoPcpGrp|InfoPerformance|InfoPolenta|InfoPoly|InfoPolymaking|InfoPrimeInt|InfoProjectiveResolutionFpPathAlgebraModule|InfoProjector|InfoQuiver|InfoQuotientSystem|InfoRCWA|InfoRDS|InfoRWS|InfoRadiroot|InfoRandIso|InfoRead1|InfoRead2|InfoRecog|InfoReductionDH|InfoReductionHistory|InfoResidueClassRingForHomalg|InfoRingHom|InfoRingsForHomalg|InfoSCSCP|InfoSLA|InfoSLP|InfoSQ|InfoSchur|InfoSearchTable|InfoSemigroups|InfoSgpViz|InfoSimpcomp|InfoSingular|InfoSmallsemi|InfoSmallsemiEnums|InfoSmithPPowerPoly|InfoSpecPcgs|InfoSqrtField|InfoStaticDictionary|InfoStoreBetterDHVtx|InfoString|InfoStringOfInstalledOperationsOfCategory|InfoSubstringClosure|InfoTempDirectories|InfoTestAutomatic|InfoText|InfoTiming|InfoTipo|InfoToDoList|InfoTom|InfoToolsForHomalg|InfoUpdateHistory|InfoUpdateTriple|InfoUtils|InfoViz|InfoWalrus|InfoWarning|InfoWdAcceptor|InfoWedderga|InfoXMLParser|InfoXMod|InfoXModAlg|InfoZLattice|InformationMatrix|InformationWord|InhomoCoboundary@SptSet|Init|InitAbsAndIrredModules|InitAgAutos|InitAgAutosNL|InitAutGroup|InitAutomGroup|InitAutomorphismGroupChar|InitAutomorphismGroupFull|InitAutomorphismGroupOver|InitCanoForm|InitCatnGroupRecords|InitEpimorphismSQ|InitFusion|InitGlAutos|InitGlAutosNL|InitHT|InitNLAAutomorphismGroupOver|InitNLAutomorphismGroup|InitNLAutomorphismGroupChar|InitNQ|InitOrbitBySuborbitList|InitPolymakeObject|InitPowerMap|InitPrimeDiffs|InitQuotientSystem|InitRandomMT|InitialArrow|InitialLoggedRules|InitialObject|InitialObjectFunctorial|InitialObjectFunctorialWithGivenInitialObjects|InitialRewritingSystem|InitialState|InitialStatesFSA|InitialStatesOfAutomaton|InitialSubstringUTF8String|InitialValue|InitialiseCentralRelations|InitializeFSA|InitializeFingerprintTable|InitializeGAPHomalgMacros|InitializeMAGMAMacros|InitializeMacaulay2Macros|InitializeMacros|InitializeMapleMacros|InitializeOscarMacros|InitializePackagesInfoRecords|InitializeSR|InitializeSageMacros|InitializeSchreierTree|InitializeSingularMacros|InitializeTable|InjDimension|InjDimensionOfModule|InjectionNormalizedPrincipalFactor|InjectionOfCofactorOfCoproduct|InjectionOfCofactorOfCoproductWithGivenCoproduct|InjectionOfCofactorOfDirectSum|InjectionOfCofactorOfDirectSumWithGivenDirectSum|InjectionOfCofactorOfPushout|InjectionOfCofactorOfPushoutWithGivenPushout|InjectionPrincipalFactor|InjectionZeroMagma|InjectiveAsMappingFrom|InjectiveColift|InjectiveDimension|InjectiveEnvelope|InjectiveResolution|Injector|InjectorFromRadicalFunction|InjectorFunction|InjectorOp|InnerActor|InnerActorXMod|InnerAutGroupPGroup|InnerAutomorphism|InnerAutomorphismCat1Group|InnerAutomorphismCat2Group|InnerAutomorphismCrossedSquare|InnerAutomorphismGroup|InnerAutomorphismGroupQuandle|InnerAutomorphismGroupQuandleAsPerm|InnerAutomorphismNC|InnerAutomorphismNearRing|InnerAutomorphismNearRingByCommutatorsFlag|InnerAutomorphismNearRingFlag|InnerAutomorphismNearRingGeneratedByCommutators|InnerAutomorphismXMod|InnerAutomorphisms|InnerAutomorphismsAutomorphismGroup|InnerAutomorphismsByNormalSubgroup|InnerDistribution|InnerMappingGroup|InnerMorphism|InnerProduct|InnerProduct@RepnDecomp|InnerProductOfCharacters@RepnDecomp|InnerSubdirectProducts|InnerSubdirectProducts2|InputFromUser|InputLogTo|InputOutputLocalProcess|InputOutputStreamByPtyDefaultType|InputOutputTCPStream|InputOutputTCPStreamDefaultType|InputQueue|InputSignature|InputTextFile|InputTextFileStillOpen|InputTextFileType|InputTextNone|InputTextNoneType|InputTextString|InputTextStringType|InputTextUser|Insert|InsertElmList|InsertIntoDynamicForest|InsertLPR|InsertObjectInMultiFunctor|InsertPatternIntoSuffixTree|InsertTrivialStabiliser|InsertTrivialStabilizer|InsertVec|InsertZeros|InsideCone|InstallAccessToGenerators|InstallAlmostSimpleHint|InstallAndCallPostRestore|InstallAtExit|InstallAttributeFunction|InstallAttributeMethodByGroupGeneralMappingByImages|InstallBlueprints|InstallCharReadHookFunc|InstallDefiningAttributes|InstallDeltaFunctor|InstallDeprecatedAlias|InstallDerivationForCategory|InstallDerivationsUsingOperation|InstallEarlyMethod|InstallEqMethodForMappingsFromGenerators|InstallFactorMaintenance|InstallFlushableValue|InstallFlushableValueFromFunction|InstallFunctor|InstallFunctorOnChainMorphisms|InstallFunctorOnComplexes|InstallFunctorOnMorphisms|InstallFunctorOnObjects|InstallGlobalFunction|InstallHandlingByNiceBasis|InstallHas|InstallHiddenTrueMethod|InstallImmediateMethod|InstallImmediateMethodToConditionallyPullFalseProperty|InstallImmediateMethodToConditionallyPullPropertyOrAttribute|InstallImmediateMethodToConditionallyPullTrueProperty|InstallImmediateMethodToConditionallyPushPropertyOrAttribute|InstallImmediateMethodToPullFalseProperties|InstallImmediateMethodToPullFalseProperty|InstallImmediateMethodToPullFalsePropertyWithDifferentName|InstallImmediateMethodToPullPropertiesOrAttributes|InstallImmediateMethodToPullPropertyOrAttribute|InstallImmediateMethodToPullPropertyOrAttributeWithDifferentName|InstallImmediateMethodToPullTrueProperties|InstallImmediateMethodToPullTrueProperty|InstallImmediateMethodToPullTruePropertyWithDifferentName|InstallImmediateMethodToPushFalseProperties|InstallImmediateMethodToPushFalseProperty|InstallImmediateMethodToPushFalsePropertyWithDifferentName|InstallImmediateMethodToPushPropertiesOrAttributes|InstallImmediateMethodToPushPropertyOrAttribute|InstallImmediateMethodToPushPropertyOrAttributeWithDifferentName|InstallImmediateMethodToPushTrueProperties|InstallImmediateMethodToPushTrueProperty|InstallImmediateMethodToPushTruePropertyWithDifferentName|InstallIsomorphismMaintenance|InstallLeftRightAttributesForHomalg|InstallLogicalImplicationsForHomalgBasicObjects|InstallLogicalImplicationsForHomalgObjects|InstallLogicalImplicationsForHomalgSubobjects|InstallMethod|InstallMethodByIsomorphismPcGroupForGroupAndClass|InstallMethodByIsomorphismPcGroupForGroupAndClassReturningBool|InstallMethodByNiceMonomorphismForGroupAndBool|InstallMethodByNiceMonomorphismForGroupAndClass|InstallMethodForCompilerForCAP|InstallMethodThatReturnsDigraph|InstallMethodWithCache|InstallMethodWithCacheFromObject|InstallMethodWithCrispCache|InstallMethodWithRandomSource|InstallMethodWithToDoForIsWellDefined|InstallMethodWithWeakCache|InstallMonomialOrdering|InstallNaturalTransformation|InstallNaturalTransformationsOfFunctor|InstallNoncommutativeMonomialOrdering|InstallOtherMethod|InstallOtherMethodForCompilerForCAP|InstallOtherMethodWithRandomSource|InstallPackage|InstallPackageFromArchive|InstallPackageFromGit|InstallPackageFromHg|InstallPackageFromInfo|InstallPackageFromName|InstallPcgsSeriesFromIndices|InstallPrintFunctionsOutOfPrintingGraph|InstallReadlineMacro|InstallRequiredPackages|InstallRingAgnosticGcdMethod|InstallSCSCPprocedure|InstallSet|InstallSetWithToDoForIsWellDefined|InstallSpecialFunctorOnMorphisms|InstallSptSetSpecSeqDerivative|InstallSptSetSpecSeqDerivativeU1|InstallSubsetMaintenance|InstallTrueMethod|InstallTrueMethodNewFilter|InstallTypeSerializationTag|InstallValue|InstallVisualizationTool|InstallVisualizationToolFromTemplate|InstalledMethodsOfCategory|InstalledPackageVersion|InsulatorSPTLayers|InsulatorSPTLayersVerbose|InsulatorSPTSpecSeq|Int|Int2PPowerPoly|IntCeiling|IntChar|IntCoefficients|IntFFE|IntFFESymm|IntFloor|IntFromParseTree|IntHexString|IntKernelCR|IntListUnicodeString|IntOrInfinityToLaTeX|IntPicCopyHTMLStyleFiles|IntPicInfo|IntPicMakeDoc|IntPicTest|IntRepOfBipartition|IntRepOfFunctionOnG|IntScalarProducts|IntSolutionMat|IntTwoCocycleSystemCR|IntVecFFE|IntVector|Int_SAVE|IntegerDefiningPolynomial|IntegerFactorization|IntegerFactorizationInfo|IntegerHashFunction|IntegerMatrixType|IntegerPrimitiveElement|IntegerRep|IntegerSimplicialComplex|IntegerStrings|Integers|IntegersList|IntegralCellularHomology|IntegralCoefficients|IntegralCohomology|IntegralCohomologyGenerators|IntegralCohomologyOfCochainComplex|IntegralConjugate|IntegralCupProduct|IntegralHomology|IntegralHomologyOfChainComplex|IntegralMatrix|IntegralRingGenerators|IntegralizedMat|IntegralizingConjugator|Integrated|IntegratedStraightLineProgram|InterestingLoop|IntermediateGroup|IntermediateResultOfSLP|IntermediateResultOfSLPWithoutOverwrite|IntermediateResultsOfSLPWithoutOverwrite|IntermediateResultsOfSLPWithoutOverwriteInner|IntermediateSubgroups|IntermultMap|IntermultMapIDs|IntermultPairs|IntermultPairsIDs|IntermultTable|InternalBasis|InternalCoHom|InternalCoHomOnMorphisms|InternalCoHomOnMorphismsWithGivenInternalCoHoms|InternalCoHomOnObjects|InternalCoHomTensorProductCompatibilityMorphism|InternalCoHomTensorProductCompatibilityMorphismInverse|InternalCoHomTensorProductCompatibilityMorphismInverseWithGivenObjects|InternalCoHomTensorProductCompatibilityMorphismWithGivenObjects|InternalCoHomToTensorProductAdjunctionMap|InternalExt|InternalHom|InternalHomOnMorphisms|InternalHomOnMorphismsWithGivenInternalHoms|InternalHomOnObjects|InternalHomToTensorProductAdjunctionMap|InternalRepGreensRelation|InternalRepStarRelation|InternalWordToExternalWordOfRewritingSystem|InterpolatedPolynomial|InterpretMorphismAsMorphismFromDistinguishedObjectToHomomorphismStructure|InterpretMorphismAsMorphismFromDistinguishedObjectToHomomorphismStructureWithGivenObjects|InterpretMorphismFromDistinguishedObjectToHomomorphismStructureAsMorphism|Interrupt|Intersect|Intersect2|IntersectBlist|IntersectSet|IntersectWithMultiplicity|IntersectWithSubalgebra|IntersectingUndirectedWordsNC_LargeGroupRep|IntersectingUndirectedWords_LargeGroupRep|Intersection|Intersection2|Intersection2Spaces|IntersectionAndSumRowSpaces|IntersectionAutomaton|IntersectionBlist|IntersectionCWSubcomplex|IntersectionCode|IntersectionForm|IntersectionIdealsOfAffineSemigroup|IntersectionIdealsOfNumericalSemigroup|IntersectionLanguage|IntersectionModule|IntersectionNormalClosurePermGroup|IntersectionOfCongruenceSubgroups|IntersectionOfFpGModules|IntersectionOfNumericalSemigroups|IntersectionOfSubmodules|IntersectionOfTFUnitsByCosets|IntersectionOfTwoIdeals|IntersectionOfUnitSubgroups|IntersectionPrincipalIdealsOfAffineSemigroup|IntersectionSet|IntersectionSubXMods|IntersectionSumPcgs|IntersectionsAffineSubspaceLattice|IntersectionsTom|Intersperse|Intertwiner|IntoGroup|IntoLoop|IntoQuasigroup|InvAutomatonInsertGenerator|InvariantBilinearForm|InvariantComplements|InvariantComplementsCR|InvariantComplementsEfaPcps|InvariantComplementsOfElAbSection|InvariantElementaryAbelianSeries|InvariantForm|InvariantLattice|InvariantQuadraticForm|InvariantSesquilinearForm|InvariantSubNearRings|InvariantSubgroupsCA|InvariantSubgroupsElementaryAbelianGroup|InvariantSubspaces|Invariants|Inverse|InverseAsWord|InverseAttr|InverseAutomaton|InverseAutomatonToGenerators|InverseBijective1Cocycle|InverseClasses|InverseCohMapping|InverseDerivations|InverseForMorphisms|InverseGeneralMapping|InverseGeneratorsOfFpGroup|InverseImmutable|InverseIntMatMod|InverseLambda|InverseLittlewoodRichardsonRule|InverseLittlewoodRichardsonRuleOp|InverseMap|InverseMapping|InverseMatMod|InverseMonoid|InverseMonoidByGenerators|InverseMorphismFromCoimageToImage|InverseMorphismFromCoimageToImageWithGivenObjects|InverseMutable|InverseOfGeneralizedMorphismWithFullDomain|InverseOfIsomorphism|InverseOfTransformation|InverseOp|InversePcgs|InversePerm|InversePluckerCoordinates|InverseRatMat|InverseRelatorsOfPresentation|InverseRepresentative|InverseRepresentativeWord|InverseRingHomomorphism|InverseSLPElm|InverseSM|InverseSameMutability|InverseSemigroup|InverseSemigroupByGenerators|InverseSemigroupCongruenceByKernelTrace|InverseSemigroupCongruenceByKernelTraceNC|InverseSemigroupCongruenceClassByKernelTraceType|InverseSubmonoid|InverseSubmonoidNC|InverseSubsemigroup|InverseSubsemigroupByProperty|InverseSubsemigroupNC|InverseWordInFreeGroupOfPresentation|InversesOfSemigroupElement|InversesOfSemigroupElementNC|InversionAut|InversionAutOfClass|Invert|InvertDecompositionMatrix|InvertWord|InvestigatePairs|InvocationReadlineMacro|Involution|InvolutiveCompatibilityCocycle|InvolutoryArcs|InvolvementTransducer|Irr|IrrBaumClausen|IrrConlon|IrrDixonSchneider|IrrFacsAlgExtPol|IrrFacsPol|IrrRepsNotPrime|IrrVectorOfRepresentation@RepnDecomp|IrrWithCorrectOrdering@RepnDecomp|IrredSolGroupList|IrredSolJSGens|IrredSolMatrixGroup|IrreducibleAffordingRepresentation|IrreducibleCharactersOfIndexTwoSubdirectProduct|IrreducibleCharactersOfIsoclinicGroup|IrreducibleCharactersOfTypeGS3|IrreducibleCharactersOfTypeMGA|IrreducibleDecomposition|IrreducibleDecompositionCollected|IrreducibleDecompositionCollectedHybrid@RepnDecomp|IrreducibleDecompositionDixon|IrreducibleDifferences|IrreducibleEmbeddings|IrreducibleFactors|IrreducibleGroups|IrreducibleGroupsByAbelian|IrreducibleGroupsByCatalogue|IrreducibleGroupsByEmbeddings|IrreducibleMatrixGroupPrimitiveSolubleGroup|IrreducibleMatrixGroupPrimitiveSolubleGroupNC|IrreducibleMatrixGroupPrimitiveSolvableGroup|IrreducibleMatrixGroupPrimitiveSolvableGroupNC|IrreducibleMaximalElementsOfGoodSemigroup|IrreducibleModules|IrreducibleNumericalSemigroupsWithFrobeniusNumber|IrreducibleNumericalSemigroupsWithFrobeniusNumberAndMultiplicity|IrreduciblePolynomialsNr|IrreducibleQuotient|IrreducibleRepresentations|IrreducibleRepresentations@FR|IrreducibleRepresentationsByBaumClausen|IrreducibleRepresentationsDixon|IrreducibleSolubleMatrixGroup|IrreducibleSolvableGroup|IrreducibleSolvableGroupMS|IrreducibleSolvableMatrixGroup|IrreducibleSubgroupsOfGL|IrreducibleZComponents|IrreduciblesForCharacterTableOfCommonCentralExtension|IrredundantGeneratingSubset|IrrelevantIdealColumnMatrix|IrrepCanonicalSummand@RepnDecomp|Is16BitsAssocWord|Is16BitsFamily|Is16BitsPcWordRep|Is16BitsSingleCollectorRep|Is1AffineComplete|Is1GeneratedSemigroup|Is1IdempotentSemigroup|Is2DimensionalDomain|Is2DimensionalDomainWithObjects|Is2DimensionalGroup|Is2DimensionalGroupMorphism|Is2DimensionalGroupMorphismCollColl|Is2DimensionalGroupMorphismCollCollColl|Is2DimensionalGroupMorphismCollection|Is2DimensionalGroupMorphismData|Is2DimensionalGroupWithObjects|Is2DimensionalMagma|Is2DimensionalMagmaCollection|Is2DimensionalMagmaGeneralMapping|Is2DimensionalMagmaMorphism|Is2DimensionalMagmaWithInverses|Is2DimensionalMagmaWithObjects|Is2DimensionalMagmaWithObjectsAndInverses|Is2DimensionalMagmaWithObjectsAndOne|Is2DimensionalMagmaWithObjectsCollection|Is2DimensionalMagmaWithOne|Is2DimensionalMapping|Is2DimensionalMappingRep|Is2DimensionalMonoid|Is2DimensionalMonoidMorphism|Is2DimensionalSemigroup|Is2DimensionalSemigroupMorphism|Is2GeneratedSemigroup|Is2IdempotentSemigroup|Is2Sided|Is2StarReplaceable|Is2TameNGroup|Is2dAlgebra|Is2dAlgebraCollection|Is2dAlgebraMorphism|Is2dAlgebraMorphismCollColl|Is2dAlgebraMorphismCollCollColl|Is2dAlgebraMorphismCollection|Is2dAlgebraMorphismRep|Is2dAlgebraObject|Is32BitsAssocWord|Is32BitsFamily|Is32BitsPcWordRep|Is32BitsSingleCollectorRep|Is3DimensionalDomain|Is3DimensionalGroup|Is3DimensionalMagma|Is3DimensionalMagmaCollection|Is3DimensionalMagmaWithInverses|Is3DimensionalMagmaWithOne|Is3DimensionalMonoid|Is3DimensionalSemigroup|Is3GeneratedSemigroup|Is3IdempotentSemigroup|Is3TameNGroup|Is4GeneratedSemigroup|Is4IdempotentSemigroup|Is5GeneratedSemigroup|Is5IdempotentSemigroup|Is6GeneratedSemigroup|Is6IdempotentSemigroup|Is7GeneratedSemigroup|Is7IdempotentSemigroup|Is8BitMatrixRep|Is8BitVectorRep|Is8BitsAssocWord|Is8BitsFamily|Is8BitsPcWordRep|Is8BitsSingleCollectorRep|Is8GeneratedSemigroup|Is8IdempotentSemigroup|IsABand|IsACEGeneratorsInPreferredOrder|IsACEParameterOption|IsACEProcessAlive|IsACEStandardCosetTable|IsACEStrategyOption|IsACompleteIntersectionNumericalSemigroup|IsAGRewritingSystem|IsAGRewritingSystemRep|IsALoop|IsANFAutomorphism|IsANFAutomorphismRep|IsARQuiverNumerical|IsATwoSequence|IsAVLTree|IsAVLTreeFlatRep|IsAVLTreeRep|IsAbCategory|IsAbCp|IsAbCpOp|IsAbFac|IsAbelian|IsAbelian2DimensionalGroup|IsAbelian3DimensionalGroup|IsAbelianCategory|IsAbelianCategoryWithEnoughInjectives|IsAbelianCategoryWithEnoughProjectives|IsAbelianModule|IsAbelianModule2DimensionalGroup|IsAbelianModuleFamily|IsAbelianModuleObj|IsAbelianModuleType|IsAbelianModuloPcgs|IsAbelianNearRing|IsAbelianNumberField|IsAbelianNumberFieldPolynomialRing|IsAbelianTom|IsAbsoluteBoundSatisfied|IsAbsoluteElement|IsAbsolutelyIrreducible|IsAbsolutelyIrreducibleMatrixGroup|IsAbstractAffineNearRing|IsAcceptedWord|IsAcceptedWordDFA|IsAccessibleFSA|IsActingOnBinaryTree|IsActingOnRegularTree|IsActingOnTree|IsActingSemigroup|IsActingSemigroupGreensClass|IsActingSemigroupWithFixedDegreeMultiplication|IsActionHomomorphism|IsActionHomomorphismAutomGroup|IsActionHomomorphismByActors|IsActionHomomorphismByBase|IsActionHomomorphismSubset|IsAcute|IsAcuteNumericalSemigroup|IsAcyclic|IsAcyclicDigraph|IsAcyclicQuiver|IsAdditiveCategory|IsAdditiveCoset|IsAdditiveCosetDefaultRep|IsAdditiveElement|IsAdditiveElementAsMultiplicativeElementRep|IsAdditiveElementCollColl|IsAdditiveElementCollCollColl|IsAdditiveElementCollection|IsAdditiveElementList|IsAdditiveElementTable|IsAdditiveElementWithInverse|IsAdditiveElementWithInverseCollColl|IsAdditiveElementWithInverseCollCollColl|IsAdditiveElementWithInverseCollection|IsAdditiveElementWithInverseList|IsAdditiveElementWithInverseTable|IsAdditiveElementWithZero|IsAdditiveElementWithZeroCollColl|IsAdditiveElementWithZeroCollCollColl|IsAdditiveElementWithZeroCollection|IsAdditiveElementWithZeroList|IsAdditiveElementWithZeroTable|IsAdditiveFunctor|IsAdditiveGroup|IsAdditiveGroupGeneralMapping|IsAdditiveGroupHomomorphism|IsAdditiveGroupToGroupGeneralMapping|IsAdditiveGroupToGroupHomomorphism|IsAdditiveMagma|IsAdditiveMagmaWithInverses|IsAdditiveMagmaWithZero|IsAdditiveNumericalSemigroup|IsAdditivelyCommutative|IsAdditivelyCommutativeElement|IsAdditivelyCommutativeElementCollColl|IsAdditivelyCommutativeElementCollection|IsAdditivelyCommutativeElementFamily|IsAdmissibleIdeal|IsAdmissibleOrdering|IsAdmissiblePattern|IsAdmissibleQuotientOfPathAlgebra|IsAdmittedPatternByIdeal|IsAdmittedPatternByNumericalSemigroup|IsAffineCode|IsAffineCrystGroup|IsAffineCrystGroupOnLeft|IsAffineCrystGroupOnLeftOrRight|IsAffineCrystGroupOnRight|IsAffineMatrixOnLeft|IsAffineMatrixOnRight|IsAffineSemigroup|IsAffineSemigroupByEquations|IsAffineSemigroupByGenerators|IsAffineSemigroupByMinimalGenerators|IsAffineSemigroupRep|IsAffineSpace|IsAffineSpaceRep|IsAffineVariety|IsAffineVarietyRep|IsAffordingRepresentation|IsAlgBFRep|IsAlgExtRep|IsAlgebra|IsAlgebraAction|IsAlgebraFRMachineRep|IsAlgebraGeneralMapping|IsAlgebraGeneralMappingByImagesDefaultRep|IsAlgebraHomomorphism|IsAlgebraHomomorphismFromFpRep|IsAlgebraModule|IsAlgebraModuleElement|IsAlgebraModuleElementCollection|IsAlgebraModuleElementFamily|IsAlgebraModuleHomomorphism|IsAlgebraObj|IsAlgebraObjModule|IsAlgebraWithOne|IsAlgebraWithOneGeneralMapping|IsAlgebraWithOneHomomorphism|IsAlgebraicElement|IsAlgebraicElementCollColl|IsAlgebraicElementCollCollColl|IsAlgebraicElementCollection|IsAlgebraicElementFamily|IsAlgebraicExtension|IsAlgebraicExtensionDefaultRep|IsAlgebraicExtensionPolynomialRing|IsAlgebraicVariety|IsAlgebraicVarietyRep|IsAllElementsOfCosetGeometry|IsAllElementsOfCosetGeometryRep|IsAllElementsOfGeneralisedPolygon|IsAllElementsOfIncidenceGeometry|IsAllElementsOfIncidenceStructure|IsAllElementsOfIncidenceStructureRep|IsAllElementsOfLieGeometry|IsAllElementsOfLieGeometryRep|IsAllSRGsStored|IsAllSubspacesOfAffineSpace|IsAllSubspacesOfAffineSpaceRep|IsAllSubspacesOfClassicalPolarSpace|IsAllSubspacesOfClassicalPolarSpaceRep|IsAllSubspacesOfProjectiveSpace|IsAllSubspacesOfProjectiveSpaceRep|IsAllowablePosition|IsAllowedHead|IsAlmostAffineCode|IsAlmostBieberbachGroup|IsAlmostCanonical|IsAlmostCrystallographic|IsAlmostSimple|IsAlmostSimpleCharacterTable|IsAlmostSimpleGroup|IsAlmostSymmetric|IsAlmostSymmetricNumericalSemigroup|IsAlphaChar|IsAlternatingForm|IsAlternatingGroup|IsAlternative|IsAmenable|IsAmenableGroup|IsAnisotropic|IsAntiSymmetricBooleanMat|IsAntiSymmetricDigraph|IsAnticommutative|IsAntisymmetricBinaryRelation|IsAntisymmetricDigraph|IsAntisymmetricFRElement|IsAnyCongruenceCategory|IsAnyCongruenceClass|IsAnyElementsOfIncidenceStructure|IsAperiodicDigraph|IsAperiodicSemigroup|IsAperyListOfNumericalSemigroup|IsAperySetAlphaRectangular|IsAperySetBetaRectangular|IsAperySetGammaRectangular|IsApplicableToCategory|IsArf|IsArfNumericalSemigroup|IsArrow|IsArrowRep|IsArtinian|IsAscendingFiltration|IsAscendingLPresentation|IsAspherical|IsAspherical2DimensionalGroup|IsAssocWord|IsAssocWordCollection|IsAssocWordFamily|IsAssocWordWithInverse|IsAssocWordWithInverseCollection|IsAssocWordWithInverseFamily|IsAssocWordWithOne|IsAssocWordWithOneCollection|IsAssocWordWithOneFamily|IsAssociated|IsAssociatedGradedRing|IsAssociative|IsAssociativeAOpDSum|IsAssociativeAOpESum|IsAssociativeElement|IsAssociativeElementCollColl|IsAssociativeElementCollection|IsAssociativeElementWithStar|IsAssociativeElementWithStarCollection|IsAssociativeLOpDProd|IsAssociativeLOpEProd|IsAssociativeROpDProd|IsAssociativeROpEProd|IsAssociativeUOpDProd|IsAssociativeUOpEProd|IsAtomicList|IsAtomicPositionalObjectRep|IsAtomicPositionalObjectRepFlags|IsAttribute|IsAttributeDependencyGraphForPrinting|IsAttributeDependencyGraphForPrintingNode|IsAttributeDependencyGraphForPrintingNodeConjunctionRep|IsAttributeDependencyGraphForPrintingNodeRep|IsAttributeDependencyGraphForPrintingRep|IsAttributeDependencyGraphForPrintingWithFunctionNodeRep|IsAttributeStoringRep|IsAttributeStoringRepFlags|IsAutoGlobal|IsAutom|IsAutomCollection|IsAutomFamily|IsAutomFamilyRep|IsAutomGroup|IsAutomRep|IsAutomSemigroup|IsAutomaton|IsAutomatonGroup|IsAutomatonObj|IsAutomatonObjCollection|IsAutomatonRep|IsAutomatonSemigroup|IsAutomorphicLoop|IsAutomorphism|IsAutomorphism2DimensionalDomain|IsAutomorphismByAlgebra|IsAutomorphismByTable|IsAutomorphismGroup|IsAutomorphismGroup2DimensionalGroup|IsAutomorphismGroup3DimensionalGroup|IsAutomorphismGroupOfFreeGroup|IsAutomorphismGroupOfGroupoid|IsAutomorphismGroupOfRMSOrRZMS|IsAutomorphismGroupOfSkewbrace|IsAutomorphismHigherDimensionalDomain|IsAutomorphismNearRing|IsAutomorphismOfHomogeneousDiscreteGroupoid|IsAutomorphismPermGroupOfXMod|IsAutomorphismWithObjects|IsAvailableAISGroupData|IsAvailableAISGroupFingerprintData|IsAvailableAISGroupFingerprintIndex|IsAvailableAbsolutelyIrreducibleSolubleGroupData|IsAvailableAbsolutelyIrreducibleSolubleGroupFingerprintData|IsAvailableAbsolutelyIrreducibleSolubleGroupFingerprintIndex|IsAvailableAbsolutelyIrreducibleSolvableGroupData|IsAvailableAbsolutelyIrreducibleSolvableGroupFingerprintData|IsAvailableAbsolutelyIrreducibleSolvableGroupFingerprintIndex|IsAvailableChild|IsAvailableIdAISMatrixGroup|IsAvailableIdAbsolutelyIrreducibleSolubleMatrixGroup|IsAvailableIdAbsolutelyIrreducibleSolvableMatrixGroup|IsAvailableIdIrredSolMatrixGroup|IsAvailableIdIrreducibleSolubleMatrixGroup|IsAvailableIdIrreducibleSolvableMatrixGroup|IsAvailableIndexRWS|IsAvailableIrredSolGroupData|IsAvailableIrreducibleSolubleGroupData|IsAvailableIrreducibleSolvableGroupData|IsAvailableNormalFormCosetsRWS|IsAvailableNormalFormRWS|IsAvailableReductionCosetsRWS|IsAvailableReductionRWS|IsAvailableSizeRWS|IsBBoxProgram|IsBFSFSA|IsBLetterAssocWordRep|IsBLetterWordsFamily|IsBPSWLucasPseudoPrime|IsBPSWPseudoPrime|IsBPSWPseudoPrime_VerifyCorrectness|IsBackgroundJob|IsBackgroundJobByFork|IsBaer|IsBalanced|IsBand|IsBasicAlgebra|IsBasicWreathLessThanOrEqual|IsBasicWreathProductOrdering|IsBasis|IsBasisByNiceBasis|IsBasisFiniteFieldRep|IsBasisOfAlgebraModuleElementSpace|IsBasisOfColumnsMatrix|IsBasisOfLieAlgebraOfGroupRing|IsBasisOfLieRing|IsBasisOfMatrixField|IsBasisOfMonomialSpaceRep|IsBasisOfOppositeAlgebraDefaultRep|IsBasisOfPathAlgebraVectorSpace|IsBasisOfPathModuleElemVectorSpace|IsBasisOfRowsMatrix|IsBasisOfSparseRowSpaceRep|IsBasisOfWeightRepElementSpace|IsBasisWithReplacedLeftModuleRep|IsBergerCondition|IsBettiTable|IsBezoutRing|IsBezoutSequence|IsBiCoset|IsBiSkewbrace|IsBiasedDoubleShiftAlgebra|IsBicocomplexOfFinitelyPresentedObjectsRep|IsBicomplex|IsBicomplexOfFinitelyPresentedObjectsRep|IsBiconnectedDigraph|IsBigradedObjectOfFinitelyPresentedObjectsRep|IsBijective|IsBijectiveObject|IsBijectiveOnObjects|IsBilinearForm|IsBilinearFormCollection|IsBinaryBlockDesign|IsBinaryHeapFlatRep|IsBinaryRelation|IsBinaryRelationDefaultRep|IsBinaryRelationOnPointsRep|IsBipartite|IsBipartiteDigraph|IsBipartition|IsBipartitionCollColl|IsBipartitionCollection|IsBipartitionMonoid|IsBipartitionPBR|IsBipartitionSemigroup|IsBiquandle|IsBireversible|IsBisequence|IsBiset|IsBisetBasis|IsBisetElement|IsBisetElementByElement|IsBisetElementByPair|IsBlist|IsBlistRep|IsBlockBijection|IsBlockBijectionMonoid|IsBlockBijectionPBR|IsBlockBijectionSemigroup|IsBlockDesign|IsBlockGroup|IsBlockMatrixRep|IsBlockOrdering|IsBlocks|IsBlocksCollection|IsBlocksHomomorphism|IsBlocksOfActionHomomorphism|IsBlowUpIsomorphism|IsBlownUpSubspaceOfProjectiveSpace|IsBool|IsBooleanMat|IsBooleanMatCollColl|IsBooleanMatCollection|IsBooleanMatMonoid|IsBooleanMatSemigroup|IsBooleanNearRing|IsBoundElmWPObj|IsBoundGlobal|IsBound_LeftSemigroupIdealEnumerator|IsBound_RightSemigroupIdealEnumerator|IsBound_SemigroupIdealEnumerator|IsBounded|IsBoundedFRElement|IsBoundedFRMachine|IsBoundedFRSemigroup|IsBraceImplemented|IsBracketRep|IsBraidedMonoidalCategory|IsBranched|IsBranchingSubgroup|IsBrandtSemigroup|IsBrauerTable|IsBravaisGroup|IsBridgelessDigraph|IsBuiltFromAdditiveMagmaWithInverses|IsBuiltFromGroup|IsBuiltFromMagma|IsBuiltFromMagmaWithInverses|IsBuiltFromMagmaWithOne|IsBuiltFromMonoid|IsBuiltFromSemigroup|IsCCLoop|IsCFGroupAlgebra|IsCHR|IsCLoop|IsCMatRep|IsCMatSEB|IsCObject|IsCObjectCompRep|IsCPTGroup|IsCRF|IsCVecClass|IsCVecFieldInfo|IsCVecRep|IsCVecRepOverPrimeField|IsCVecRepOverSmallField|IsCXSCBox|IsCXSCComplex|IsCXSCFloat|IsCXSCFloatRep|IsCXSCInterval|IsCXSCReal|IsCache|IsCacheNode|IsCachingObject|IsCachingObjectRep|IsCachingObjectWhichConvertsLists|IsCanonicalAlgebra|IsCanonicalBasis|IsCanonicalBasisAbelianNumberFieldRep|IsCanonicalBasisAlgebraicExtension|IsCanonicalBasisCrossedProductRep|IsCanonicalBasisCyclotomicFieldRep|IsCanonicalBasisFreeMagmaRingRep|IsCanonicalBasisFullMatrixModule|IsCanonicalBasisFullRowModule|IsCanonicalBasisFullSCAlgebra|IsCanonicalBasisGaussianIntegersRep|IsCanonicalBasisIntegersRep|IsCanonicalBasisOfQuantumUEA|IsCanonicalBasisRationals|IsCanonicalIdeal|IsCanonicalIdealOfNumericalSemigroup|IsCanonicalImage|IsCanonicalNiceMonomorphism|IsCanonicalPcgs|IsCanonicalPcgsWrtSpecialPcgs|IsCanonicalPolarSpace|IsCapCategory|IsCapCategoryAsCatObject|IsCapCategoryAsCatObjectRep|IsCapCategoryCell|IsCapCategoryMorphism|IsCapCategoryMorphismRep|IsCapCategoryObject|IsCapCategoryObjectRep|IsCapCategoryOppositeMorphism|IsCapCategoryOppositeObject|IsCapCategoryProductCell|IsCapCategoryProductCellRep|IsCapCategoryProductMorphism|IsCapCategoryProductMorphismRep|IsCapCategoryProductObject|IsCapCategoryProductObjectRep|IsCapCategoryProductTwoCell|IsCapCategoryProductTwoCellRep|IsCapCategoryRep|IsCapCategoryTwoCell|IsCapCategoryTwoCellRep|IsCapFunctor|IsCapFunctorRep|IsCapNaturalTransformation|IsCapNaturalTransformationRep|IsCapProductCategory|IsCapTerminalCategoryMorphismRep|IsCapTerminalCategoryObjectRep|IsCapable|IsCat|IsCat1Algebra|IsCat1AlgebraMorphism|IsCat1Group|IsCat1GroupMorphism|IsCat1Groupoid|IsCat2Group|IsCat2GroupMorphism|IsCat3Group|IsCatDefaultRep|IsCategory|IsCategoryArrow|IsCategoryName|IsCategoryObject|IsCategoryOfFinitelyPresentedGradedLeftModulesRep|IsCategoryOfFinitelyPresentedGradedRightModulesRep|IsCategoryOfFinitelyPresentedLeftModulesRep|IsCategoryOfFinitelyPresentedRightModulesRep|IsCategoryOfGradedModules|IsCategoryOfLeftOrRightPresentations|IsCategoryOfLeftPresentations|IsCategoryOfModules|IsCategoryOfRightPresentations|IsCategoryOfSptSetBarResMap|IsCategoryOfSptSetCochainComplex|IsCategoryOfSptSetCoefficient|IsCategoryOfSptSetFpZModule|IsCategoryOfSptSetSpecSeq|IsCategoryOfSptSetSpecSeqClass|IsCategoryOfSptSetSpecSeqCochain|IsCategoryOfSptSetZLMap|IsCatnGroup|IsCatnGroupMorphism|IsCayleyDigraph|IsCcElement|IsCcElementRep|IsCcGroup|IsCellOfSkeletalCategory|IsCentral|IsCentralElement|IsCentralElementFromGenerators|IsCentralExtension|IsCentralExtension2DimensionalGroup|IsCentralExtension3DimensionalGroup|IsCentralFactor|IsCentralFromGenerators|IsCentralLayer|IsCentralModule|IsCentralSubgroup|IsCentralizerNearRing|IsChainDigraph|IsChainMap|IsChainMapDefaultRep|IsChainMapFamily|IsChainMorphismForPullback|IsChainMorphismForPushout|IsChainMorphismOfFinitelyPresentedObjectsRep|IsChamberOfIncidenceStructure|IsChar|IsCharCollection|IsCharacter|IsCharacterSubgroup|IsCharacterTable|IsCharacterTableInProgress|IsCharacteristicInParent|IsCharacteristicSubgroup|IsCharacteristicVectorOfSTE|IsCheapConwayPolynomial|IsChernCharacter|IsChernCharacterRep|IsChernPolynomialWithRank|IsChernPolynomialWithRankRep|IsCircleObject|IsCircleObjectCollection|IsCircleUnit|IsCircularDesign|IsClass|IsClassByComplementRep|IsClassByIntersectionRep|IsClassByPropertyRep|IsClassByUnionRep|IsClassFunction|IsClassFunctionsSpace|IsClassFusionOfNormalSubgroup|IsClassReflection|IsClassRotation|IsClassShift|IsClassTransposition|IsClassWiseOrderPreserving|IsClassWiseTranslating|IsClassical|IsClassicalGQ|IsClassicalGeneralisedHexagon|IsClassicalPolarSpace|IsClassicalPolarSpaceRep|IsCliffordSemigroup|IsClique|IsClosed|IsClosedData|IsClosedMonoidalCategory|IsClosedOrbit|IsClosedStream|IsClosedUnderComposition|IsCoMultMap|IsCochain|IsCochainCollection|IsCochainMorphismOfFinitelyPresentedObjectsRep|IsCochainsSpace|IsCoclosedMonoidalCategory|IsCocomplexOfFinitelyPresentedObjectsRep|IsCocycleViaGeneratorData|IsCode|IsCodeDefaultRep|IsCodeLoop|IsCodeword|IsCodewordCollection|IsCodewordRep|IsCodominating|IsCoeffsElms|IsCoeffsModConwayPolRep|IsCohCfg@RepnDecomp|IsCohenMacaulay|IsColTrimBooleanMat|IsColiftable|IsColiftableAlongEpimorphism|IsCollCollsElms|IsCollCollsElmsElms|IsCollCollsElmsElmsX|IsCollLieCollsElms|IsCollection|IsCollectionFamily|IsCollinear|IsCollineation|IsCollineationGroup|IsCollineationOfProjectivePlane|IsCollsCollsElms|IsCollsCollsElmsX|IsCollsCollsElmsXX|IsCollsElms|IsCollsElmsColls|IsCollsElmsElms|IsCollsElmsElmsElms|IsCollsElmsElmsX|IsCollsElmsX|IsCollsElmsXElms|IsCollsElmsXX|IsCollsXElms|IsCollsXElmsX|IsColorGroup|IsCombinatorialCollectorRep|IsCombinatorialSemigroup|IsCommonTransversal|IsCommutative|IsCommutativeElement|IsCommutativeElementCollColl|IsCommutativeElementCollection|IsCommutativeFamily|IsCommutativeFromGenerators|IsCommutativeSemigroup|IsCommuting|IsCompactForm|IsCompatible|IsCompatibleEndoMapping|IsComplementOfIntegralIdeal|IsCompleteACECosetTable|IsCompleteBipartiteDigraph|IsCompleteDigraph|IsCompleteGraph|IsCompleteGroebnerBasis|IsCompleteIntersection|IsCompleteMultipartiteDigraph|IsCompletePurityFiltration|IsCompleteSetOfOrthogonalIdempotents|IsCompleteSetOfPCIs|IsCompleteWeakPointerList|IsCompletelyReducedGroebnerBasis|IsCompletelyReducibleNilpotentMatGroup|IsCompletelyRegularSemigroup|IsCompletelySimpleSemigroup|IsComplex|IsComplexFloat|IsComplexFloatInterval|IsComplexOfFinitelyPresentedObjectsRep|IsComponentObjectRep|IsCompositionMappingRep|IsComputableFilter|IsConfiguration|IsConfinal|IsConfluent|IsConfluentCosetsRWS|IsConfluentOnCosets|IsConfluentRWS|IsCongruenceByWangPair|IsCongruenceCategory|IsCongruenceClass|IsCongruenceFreeSemigroup|IsCongruencePoset|IsCongruenceSubgroup|IsCongruenceSubgroupGamma0|IsCongruenceSubgroupGamma1|IsCongruenceSubgroupGammaMN|IsCongruenceSubgroupGammaUpper0|IsCongruenceSubgroupGammaUpper1|IsCongruentForMorphisms|IsConjugacyClassGroupRep|IsConjugacyClassPermGroupRep|IsConjugacyClassSubgroupsByStabiliserRep|IsConjugacyClassSubgroupsByStabilizerRep|IsConjugacyClassSubgroupsRep|IsConjugacyClosedLoop|IsConjugate|IsConjugatePermutable|IsConjugatePermutableInParent|IsConjugatePermutableOp|IsConjugatorAutomorphism|IsConjugatorIsomorphism|IsConnected|IsConnectedBlockDesign|IsConnectedDigraph|IsConnectedGraph|IsConnectedQuiver|IsConnectedTransformationSemigroup|IsConnectedWord|IsConnectedWordNC|IsConnectedWordNC_LargeGroupRep|IsConsistentPPPPcp|IsConsistentPolynomial|IsConstantCycleSetCocycle|IsConstantEndoMapping|IsConstantGVar|IsConstantGlobal|IsConstantOnObjects|IsConstantRationalFunction|IsConstantTimeAccessGeneralMapping|IsConstantTimeAccessList|IsConstellation|IsConstituentHomomorphism|IsConstraint|IsContainedInSpan|IsContainedLang|IsContainerForPointers|IsContainerForPointersOnComputedValuesRep|IsContainerForPointersOnContainersRep|IsContainerForPointersOnObjectsRep|IsContainerForPointersRep|IsContainerForWeakPointers|IsContainerForWeakPointersOnComputedValuesOfFunctorRep|IsContainerForWeakPointersOnComputedValuesRep|IsContainerForWeakPointersOnContainersRep|IsContainerForWeakPointersOnHomalgExternalObjectsRep|IsContainerForWeakPointersOnHomalgExternalRingsRep|IsContainerForWeakPointersOnIdentityMatricesRep|IsContainerForWeakPointersOnObjectsRep|IsContainerForWeakPointersRep|IsContractibleCube_higherdims|IsContractiblePartialSpace|IsContractiblePartialSpaceNC|IsContractiblePartialSpaceNC_LargeGroupRep|IsContractibleWord|IsContractibleWordNC|IsContractibleWordNC_LargeGroupRep|IsContracting|IsConvergent|IsCoordinateAcceptable|IsCopyable|IsCorrelation|IsCorrelationCollineation|IsCorrelationCollineationGroup|IsCosetGeometry|IsCosetGeometryRep|IsCosetTableLpGroup|IsCotiltingModule|IsCovariantFunctor|IsCovering|IsCp|IsCpOp|IsCrispCache|IsCrispCachingObjectRep|IsCrossedPairing|IsCrossedPairingObj|IsCrossedProduct|IsCrossedProductObjDefaultRep|IsCrossedSquare|IsCrossedSquareMorphism|IsCrystSameOrbit|IsCrystSufficientLattice|IsCrystTranslationSubGroup|IsCrystalDecompositionMatrix|IsCrystalVector|IsCubeFree|IsCubeFreeInt|IsCyc|IsCycInt|IsCyclGroupAlgebra|IsCycleDigraph|IsCycleSet|IsCycleSetCocycle|IsCycleSetElm|IsCycleSetElmRep|IsCycleSetHomomorphism|IsCyclic|IsCyclicCode|IsCyclicGenerator|IsCyclicTom|IsCyclotomic|IsCyclotomicClass|IsCyclotomicCollColl|IsCyclotomicCollCollColl|IsCyclotomicCollection|IsCyclotomicField|IsCyclotomicMatrixGroup|IsCyclotomicNumericalSemigroup|IsCyclotomicPolynomial|IsDStarClass|IsDStarRelation|IsDTObj|IsDTrivial|IsDataObjectRep|IsDecompositionMatrix|IsDedekindDomain|IsDedekindSylow|IsDeepThoughtCollectorRep|IsDefaultCircleObject|IsDefaultDirectProductElementRep|IsDefaultDynamicTreeRep|IsDefaultGeneralMappingRep|IsDefaultGroupoidHomomorphismRep|IsDefaultInternalSuffixTreeNodeRep|IsDefaultRhsTypeSingleCollector|IsDefaultSuffixTreeEdgeRep|IsDefaultSuffixTreeNodeRep|IsDefaultSuffixTreeRep|IsDefinedMultiplication|IsDegenerateForm|IsDeltaSequence|IsDenseAutomaton|IsDenseCoeffVectorRep|IsDenseHashRep|IsDenseList|IsDeque|IsDerivation|IsDerivedMethod|IsDerivedMethodGraph|IsDerivedMethodGraphRep|IsDerivedMethodRep|IsDesarguesianPlane|IsDesarguesianSpreadElement|IsDescendingFiltration|IsDesign|IsDesignDefaultRep|IsDesignFamily|IsDeterministicAutomaton|IsDeterministicFSA|IsDgNearRing|IsDiagonalFRElement|IsDiagonalMat|IsDiagonalMatrix|IsDiagram|IsDiagramCollection|IsDiagramRep|IsDiassociative|IsDictionary|IsDictionaryDefaultRep|IsDifferenceSet|IsDifferenceSetByTable|IsDifferenceSum|IsDifferenceSumByTable|IsDiffset|IsDigitChar|IsDigraph|IsDigraphAutomorphism|IsDigraphByOutNeighboursRep|IsDigraphColouring|IsDigraphCore|IsDigraphEdge|IsDigraphEmbedding|IsDigraphEndomorphism|IsDigraphEpimorphism|IsDigraphHomomorphism|IsDigraphIsomorphism|IsDigraphMonomorphism|IsDigraphPath|IsDigraphWithAdjacencyFunction|IsDihedralCharacterTable|IsDihedralGroup|IsDimensions@RepnDecomp|IsDir|IsDirectProductClosed|IsDirectProductElement|IsDirectProductElementCollection|IsDirectProductElementFamily|IsDirectProductNearRing|IsDirectProductWithCompleteDigraph|IsDirectProductWithCompleteDigraphDomain|IsDirectSumElement|IsDirectSumElementCollection|IsDirectSumElementFamily|IsDirectSumElementsSpace|IsDirectSumOfModules|IsDirectSummand|IsDirectedTree|IsDirectory|IsDirectoryPath|IsDirectoryPathString|IsDirectoryRep|IsDirichletSeries|IsDisabledCache|IsDiscreteDomainWithObjects|IsDiscreteMagmaWithObjects|IsDiscreteValuationRing|IsDisjoint|IsDistanceRegular|IsDistanceRegularDigraph|IsDistinguishedArgumentOfFunctor|IsDistinguishedFirstArgumentOfFunctor|IsDistributive|IsDistributiveAlgebra|IsDistributiveEndoMapping|IsDistributiveLOpDProd|IsDistributiveLOpDSum|IsDistributiveLOpEProd|IsDistributiveLOpESum|IsDistributiveNearRing|IsDistributiveNearRingElement|IsDistributiveROpDProd|IsDistributiveROpDSum|IsDistributiveROpEProd|IsDistributiveROpESum|IsDistributiveUOpDProd|IsDistributiveUOpDSum|IsDistributiveUOpEProd|IsDistributiveUOpESum|IsDivisionRing|IsDivisionRingForHomalg|IsDocumentedWord|IsDomain|IsDomainWithObjects|IsDomesticStringAlgebra|IsDominating|IsDoneIter_LowIndSubs|IsDoneIterator|IsDoneIterator_AllCat1Groups|IsDoneIterator_AllCat1GroupsWithImage|IsDoneIterator_AllCat2Groups|IsDoneIterator_AllCat2GroupsWithImages|IsDoneIterator_AllIsomorphisms|IsDoneIterator_AllSubgroups|IsDoneIterator_Basis|IsDoneIterator_Cartesian|IsDoneIterator_CartesianIterator|IsDoneIterator_CoKernelGens|IsDoneIterator_Combinations|IsDoneIterator_Concatenation|IsDoneIterator_FiniteFullRowModule|IsDoneIterator_List|IsDoneIterator_LowIndexSubgroupsFpGroup|IsDoneIterator_Partitions|IsDoneIterator_PartitionsSet|IsDoneIterator_SimGp|IsDoneIterator_Subspaces|IsDoneIterator_SubspacesAll|IsDoneIterator_SubspacesDim|IsDoneIterator_Trivial|IsDoneIterator_Tuples|IsDoneIterator_UnorderedPairs|IsDoneIterator_WeylOrbit|IsDoubleCoset|IsDoubleCosetDefaultRep|IsDoubleCosetRewritingSystem|IsDoubleShiftAlgebra|IsDoublyEvenCode|IsDualElement|IsDualElementCollection|IsDualElementFamily|IsDualElementsSpace|IsDualSemigroupElement|IsDualSemigroupElementCollection|IsDualSemigroupRep|IsDualTransBipartition|IsDualTransformationPBR|IsDuplicateFree|IsDuplicateFreeCollection|IsDuplicateFreeList|IsDuplicateTable|IsDxLargeGroup|IsDyadicSchurGroup|IsDynamicTree|IsDynamicalCocycle|IsDynkinQuiver|IsECore|IsECoreOp|IsERG|IsERegular|IsERegularOp|IsEUnitaryInverseSemigroup|IsEchelonBase|IsEdge|IsEdgeOfDiagram|IsEdgeOfDiagramCollection|IsEdgeOfDiagramRep|IsEdgeTransitive|IsEfaFactorPcp|IsElationGQ|IsElationGQByBLTSet|IsElationGQByKantorFamily|IsElementFinitePolycyclicGroup|IsElementFinitePolycyclicGroupCollection|IsElementOfAModuleGivenByAMorphismRep|IsElementOfAnObjectGivenByAMorphismRep|IsElementOfCosetGeometry|IsElementOfCosetGeometryRep|IsElementOfCrossedProduct|IsElementOfCrossedProductCollection|IsElementOfCrossedProductFamily|IsElementOfFpAlgebra|IsElementOfFpAlgebraCollection|IsElementOfFpAlgebraFamily|IsElementOfFpGroup|IsElementOfFpGroupCollection|IsElementOfFpGroupFamily|IsElementOfFpMonoid|IsElementOfFpMonoidCollection|IsElementOfFpMonoidFamily|IsElementOfFpSemigroup|IsElementOfFpSemigroupCollection|IsElementOfFpSemigroupFamily|IsElementOfFreeAssociativeRing|IsElementOfFreeGroup|IsElementOfFreeGroupFamily|IsElementOfFreeMagmaRing|IsElementOfFreeMagmaRingCollection|IsElementOfFreeMagmaRingFamily|IsElementOfGeneralisedPolygon|IsElementOfGeneralisedPolygonRep|IsElementOfGrothendieckGroup|IsElementOfGrothendieckGroupOfProjectiveSpace|IsElementOfGrothendieckGroupOfProjectiveSpaceRep|IsElementOfHomalgFakeLocalRingRep|IsElementOfIncidenceGeometry|IsElementOfIncidenceStructure|IsElementOfIncidenceStructureCollection|IsElementOfIncidenceStructureRep|IsElementOfIncidenceStructureType|IsElementOfIntegers|IsElementOfKantorFamily|IsElementOfKantorFamilyRep|IsElementOfLieGeometry|IsElementOfLieGeometryCollection|IsElementOfLpGroup|IsElementOfLpGroupCollection|IsElementOfLpGroupFamily|IsElementOfMagmaRingModuloRelations|IsElementOfMagmaRingModuloRelationsCollection|IsElementOfMagmaRingModuloRelationsFamily|IsElementOfMagmaRingModuloSpanOfZeroFamily|IsElementOfPathRing|IsElementOfPregroup|IsElementOfPregroupOfFreeGroupRep|IsElementOfPregroupRep|IsElementOfQuotientOfPathAlgebra|IsElementOfQuotientOfPathAlgebraCollection|IsElementOfQuotientOfPathAlgebraFamily|IsElementaryAbelian|IsElementaryAlgebra|IsElementsFamilyBy16BitsSingleCollector|IsElementsFamilyBy32BitsSingleCollector|IsElementsFamilyBy8BitsSingleCollector|IsElementsFamilyByRws|IsElementsOfCosetGeometry|IsElementsOfCosetGeometryRep|IsElementsOfGeneralisedPolygon|IsElementsOfGeneralisedPolygonRep|IsElementsOfIncidenceGeometry|IsElementsOfIncidenceStructure|IsElementsOfIncidenceStructureRep|IsElementsOfLieGeometry|IsElementsOfLieGeometryRep|IsEllipticForm|IsEllipticQuadric|IsElmsCoeffs|IsElmsCollColls|IsElmsCollCollsX|IsElmsCollLieColls|IsElmsColls|IsElmsCollsX|IsElmsCollsXX|IsElmsLieColls|IsEmbeddingDirectProductMatrixGroup|IsEmbeddingDirectProductPermGroup|IsEmbeddingImprimitiveWreathProductMatrixGroup|IsEmbeddingImprimitiveWreathProductPermGroup|IsEmbeddingMagmaCrossedProduct|IsEmbeddingMagmaMagmaRing|IsEmbeddingProductActionWreathProductPermGroup|IsEmbeddingRingCrossedProduct|IsEmbeddingRingMagmaRing|IsEmbeddingWreathProductPermGroup|IsEmpty|IsEmptyDigraph|IsEmptyFlag|IsEmptyHeap|IsEmptyLang|IsEmptyMatrix|IsEmptyNode|IsEmptyPBR|IsEmptyRowVectorRep|IsEmptyString|IsEmptySubspace|IsEmptySubspaceRep|IsEndOfStream|IsEndo2DimensionalMapping|IsEndoGeneral2DimensionalMapping|IsEndoGeneralHigherDimensionalMapping|IsEndoGeneralMapping|IsEndoGeneralMappingWithObjects|IsEndoHigherDimensionalMapping|IsEndoMapping|IsEndoMappingCompatibleWithNormalSubgroup|IsEndoMappingWithObjects|IsEndomorphism|IsEndomorphism2DimensionalDomain|IsEndomorphismHigherDimensionalDomain|IsEndomorphismNearRing|IsEndomorphismWithObjects|IsEndowedWithDifferential|IsEnrichedOverCommutativeRegularSemigroup|IsEntropic|IsEnumerated|IsEnumeratedSRGParameterTuple|IsEnumeratorByFunctions|IsEnumeratorByFunctionsRep|IsEnumeratorByNiceomorphismRep|IsEnumeratorByPcgsRep|IsEnumeratorOfSmallSemigroups|IsEnvelopingAlgebra|IsEpimorphism|IsEpsilonAutomaton|IsEqualAsFactorobjects|IsEqualAsSubobjects|IsEqualBlockDesign|IsEqualForCache|IsEqualForCacheForMorphisms|IsEqualForCacheForObjects|IsEqualForMorphisms|IsEqualForMorphismsOnMor|IsEqualForObjects|IsEqualOrbit|IsEqualProjective|IsEqualSet|IsEquippedWithHomomorphismStructure|IsEquivalenceBooleanMat|IsEquivalenceClass|IsEquivalenceClassDefaultRep|IsEquivalenceDigraph|IsEquivalenceHead|IsEquivalenceRelation|IsEquivalenceRelationDefaultRep|IsEquivalenceTail|IsEquivalent|IsEquivalentByFp|IsEquivalentDifferenceSet|IsEquivalentDifferenceSum|IsEuclideanRing|IsEulerianDigraph|IsEvenCode|IsEvenInt|IsExactGroupFactorization|IsExactInDegree|IsExactSequence|IsExactTriangle|IsExceptionalModule|IsExceptionalPerm|IsExecutableFile|IsExistingFile|IsExistingFileInPackageForHomalg|IsExplicitMultiplicationNearRing|IsExplicitMultiplicationNearRingDefaultRep|IsExplicitMultiplicationNearRingElement|IsExplicitMultiplicationNearRingElementCollection|IsExplicitMultiplicationNearRingElementDefaultRep|IsExplicitMultiplicationNearRingElementFamily|IsExplicitMultiplicationNearRingEnumerator|IsExprTree|IsExtAElement|IsExtAElementCollColl|IsExtAElementCollection|IsExtAElementList|IsExtAElementTable|IsExtASet|IsExtLElement|IsExtLElementCollColl|IsExtLElementCollection|IsExtLElementList|IsExtLElementTable|IsExtLSet|IsExtRElement|IsExtRElementCollColl|IsExtRElementCollection|IsExtRElementList|IsExtRElementTable|IsExtRSet|IsExtUSet|IsExteriorPower|IsExteriorPowerElement|IsExteriorRing|IsExternalOrbit|IsExternalOrbitByStabiliserRep|IsExternalOrbitByStabilizerRep|IsExternalSet|IsExternalSetByActorsRep|IsExternalSetByOperatorsRep|IsExternalSetByPcgs|IsExternalSetDefaultRep|IsExternalSubset|IsExternalSuffixTreeNode|IsExtraLoop|IsExtremelyStrongShodaPair|IsFAlgElement|IsFAlgElementCollection|IsFAlgElementFamily|IsFFE|IsFFECollColl|IsFFECollCollColl|IsFFECollection|IsFFEFamily|IsFFEMatrixGroup|IsFFEVector|IsFIFO|IsFInverseMonoid|IsFInverseSemigroup|IsFLMLOR|IsFLMLORWithOne|IsFModularGroupAlgebra|IsFPermutable|IsFRAlgebra|IsFRAlgebraWithOne|IsFRBiset|IsFRBisetByFRMachineRep|IsFRBisetByFRSemigroupRep|IsFRBisetByHomomorphismRep|IsFRElement|IsFRElementCollection|IsFRElementStdRep|IsFRGroup|IsFRMachine|IsFRMachineStdRep|IsFRMealyElement|IsFRMonoid|IsFRObject|IsFRSemigroup|IsFSA|IsFactorNearRing|IsFactoredTransversalRep|IsFactorisableInverseMonoid|IsFactorobject|IsFaithful2DimensionalGroup|IsFaithfulModule|IsFamFamFam|IsFamFamFamX|IsFamFamX|IsFamFamXY|IsFamLieFam|IsFamXFam|IsFamXFamY|IsFamXYFamZ|IsFamily|IsFamilyDefaultRep|IsFamilyElementOfFreeLieAlgebra|IsFamilyOfFamilies|IsFamilyOfTypes|IsFamilyOverFullCoefficientsFamily|IsFamilyPcgs|IsFareySymbol|IsFareySymbolDefaultRep|IsFeasibleERGParameters|IsFeasibleNGParameters|IsFeasibleRGParameters|IsFeasibleSRGParameters|IsField|IsFieldControlledByGaloisGroup|IsFieldElementsSpace|IsFieldForHomalg|IsFieldHomomorphism|IsFile|IsFilter|IsFiltration|IsFiltrationOfFinitelyPresentedObjectRep|IsFinalized|IsFiningScalarMatrix|IsFinitaryFRElement|IsFinitaryFRMachine|IsFinitaryFRSemigroup|IsFinite|IsFiniteBasisDefault|IsFiniteComplex|IsFiniteDifference|IsFiniteDimensional|IsFiniteFieldPolynomialRing|IsFiniteFreePresentationRing|IsFiniteGlobalDimensionAlgebra|IsFiniteGroupLinearRepresentation|IsFiniteGroupPermutationRepresentation|IsFiniteNilpotentMatGroup|IsFiniteOrderElement|IsFiniteOrderElementCollColl|IsFiniteOrderElementCollection|IsFiniteOrdersPcgs|IsFiniteRegularLanguage|IsFiniteSemigroupGreensRelation|IsFiniteSemigroupStarRelation|IsFiniteState|IsFiniteStateFRElement|IsFiniteStateFRMachine|IsFiniteStateFRSemigroup|IsFiniteTypeAlgebra|IsFinitelyGeneratedGroup|IsFinitelyGeneratedMagma|IsFinitelyGeneratedMonoid|IsFinitelyPresentable|IsFinitelyPresentedModuleOrSubmoduleRep|IsFinitelyPresentedModuleRep|IsFinitelyPresentedObjectRep|IsFinitelyPresentedSubmoduleRep|IsFirmGeometry|IsFittingClass|IsFittingFormation|IsFittingProductRep|IsFittingSet|IsFittingSetRep|IsFixedStabiliser|IsFixedStabilizer|IsFlagOfASType|IsFlagOfAffineSpace|IsFlagOfCGType|IsFlagOfCPSType|IsFlagOfClassicalPolarSpace|IsFlagOfCosetGeometry|IsFlagOfIncidenceGeometry|IsFlagOfIncidenceStructure|IsFlagOfIncidenceStructureRep|IsFlagOfIncidenceStructureType|IsFlagOfLieGeometry|IsFlagOfPSType|IsFlagOfProjectiveSpace|IsFlagTransitiveGeometry|IsFlatKernelOfTransformation|IsFlexible|IsFloat|IsFloatCollColl|IsFloatCollection|IsFloatFamily|IsFloatInterval|IsFloatPolynomial|IsFloatPseudoField|IsFloatRationalFunction|IsFloatUnivariatePolynomial|IsFockModule|IsFockPIM|IsFockSchurModule|IsFockSchurPIM|IsFockSchurSimple|IsFockSchurWeyl|IsFockSimple|IsFockSpecht|IsForm|IsFormRep|IsFormSystem|IsFormation|IsFormationProductRep|IsFormationRep|IsFp2DimensionalGroup|IsFp3DimensionalGroup|IsFpAlgebraElementsSpace|IsFpCat1Group|IsFpGModuleHomomorphismData|IsFpGroup|IsFpGroupoid|IsFpHigherDimensionalGroup|IsFpLieAlgebra|IsFpMonoid|IsFpMonoidReducedElt|IsFpPathAlgebraElementsSpace|IsFpPathAlgebraModule|IsFpPathAlgebraVector|IsFpPathAlgebraVectorCollection|IsFpPathAlgebraVectorFamily|IsFpPreCat1Group|IsFpPreXMod|IsFpPreXModWithObjects|IsFpSemigpReducedElt|IsFpSemigroup|IsFpWeightedDigraph|IsFpWeightedDigraphFamily|IsFpWeightedDigraphRep|IsFpWeightedDigraphType|IsFpXMod|IsFpfAutomorphismGroup|IsFpfRepresentation|IsFptoSCAMorphism|IsFractal|IsFractalByWords|IsFrattiniFree|IsFree|IsFreeAbelian|IsFreeAlgebra|IsFreeAssociativeAlgebra|IsFreeBand|IsFreeBandCategory|IsFreeBandElement|IsFreeBandElementCollection|IsFreeBandSubsemigroup|IsFreeGroup|IsFreeGroupoid|IsFreeInverseSemigroup|IsFreeInverseSemigroupCategory|IsFreeInverseSemigroupElement|IsFreeInverseSemigroupElementCollection|IsFreeLeftModule|IsFreeMagma|IsFreeMagmaRing|IsFreeMagmaRingWithOne|IsFreeMonoid|IsFreeNAAlgebra|IsFreeNumericalSemigroup|IsFreePolynomialRing|IsFreeProductWithAmalgamation|IsFreeSemigroup|IsFreeXMod|IsFreeZGLetter|IsFreeZGLetterNoTermCheck_LargeGroupRep|IsFreeZGLetter_LargeGroupRep|IsFreeZGWord|IsFreeZGWordNoTermCheck_LargeGroupRep|IsFreeZGWord_LargeGroupRep|IsFrobeniusAutomorphism|IsFromAffineCrystGroupToFpGroup|IsFromAffineCrystGroupToPcpGroup|IsFromFpGroupGeneralMapping|IsFromFpGroupGeneralMappingByImages|IsFromFpGroupHomomorphism|IsFromFpGroupHomomorphismByImages|IsFromFpGroupStdGensGeneralMappingByImages|IsFromFpGroupStdGensHomomorphismByImages|IsFromPcpGHBI|IsFromTheLeftCollectorRep|IsFull|IsFullAffineSemigroup|IsFullFpAlgebra|IsFullFpPathAlgebra|IsFullHomModule|IsFullInverseSubsemigroup|IsFullLang|IsFullMatrixModule|IsFullMatrixMonoid|IsFullRowModule|IsFullSCAlgebra|IsFullSubgroupGLorSLRespectingBilinearForm|IsFullSubgroupGLorSLRespectingQuadraticForm|IsFullSubgroupGLorSLRespectingSesquilinearForm|IsFullTransformationMonoid|IsFullTransformationNearRing|IsFullTransformationSemigroup|IsFullTransformationSemigroupCopy|IsFullinvariant|IsFullinvariantInParent|IsFunction|IsFunctionField|IsFunctionalDigraph|IsFundamentalDomainBieberbachGroup|IsFundamentalDomainStandardSpaceGroup|IsFunnyProductObject|IsGAPRandomSource|IsGF2MatrixRep|IsGF2VectorRep|IsGInvariant@RepnDecomp|IsGL|IsGOuterGroup|IsGOuterGroupHomomorphism|IsGammaSubgroupInSL3Z|IsGaussInt|IsGaussRat|IsGaussianIntegers|IsGaussianMatrixSpace|IsGaussianRationals|IsGaussianRowSpace|IsGaussianSpace|IsGenRep|IsGeneral2DimensionalMapping|IsGeneral2DimensionalMappingCollColl|IsGeneral2DimensionalMappingCollCollColl|IsGeneral2DimensionalMappingCollection|IsGeneral3DimensionalMapping|IsGeneralHigherDimensionalMapping|IsGeneralHigherDimensionalMappingCollColl|IsGeneralHigherDimensionalMappingCollCollColl|IsGeneralHigherDimensionalMappingCollection|IsGeneralLinearGroup|IsGeneralLinearMonoid|IsGeneralMapping|IsGeneralMappingCollection|IsGeneralMappingFamily|IsGeneralMappingFromHomogeneousDiscrete|IsGeneralMappingFromSinglePiece|IsGeneralMappingToSinglePiece|IsGeneralMappingWithObjects|IsGeneralMappingWithObjectsCollColl|IsGeneralMappingWithObjectsCollCollColl|IsGeneralMappingWithObjectsCollection|IsGeneralPcgs|IsGeneralRestrictedMappingRep|IsGeneralisedHexagon|IsGeneralisedOctagon|IsGeneralisedPolygon|IsGeneralisedPolygonRep|IsGeneralisedQuadrangle|IsGeneralisedQuaternionGroup|IsGeneralizedAlmostSymmetric|IsGeneralizedCartanMatrix|IsGeneralizedClassTransposition|IsGeneralizedDomain|IsGeneralizedEpimorphism|IsGeneralizedGorenstein|IsGeneralizedIsomorphism|IsGeneralizedMonomorphism|IsGeneralizedMorphism|IsGeneralizedMorphismByCospan|IsGeneralizedMorphismBySpan|IsGeneralizedMorphismByThreeArrows|IsGeneralizedMorphismCategoryByCospansObject|IsGeneralizedMorphismCategoryBySpansObject|IsGeneralizedMorphismCategoryByThreeArrowsObject|IsGeneralizedMorphismCategoryObject|IsGeneralizedMorphismWithFullDomain|IsGeneralizedRowVector|IsGeneratedByAutomatonOfPolynomialGrowth|IsGeneratedByBoundedAutomaton|IsGeneratorOrInverse|IsGeneratorsOfActingSemigroup|IsGeneratorsOfFinitelyGeneratedModuleRep|IsGeneratorsOfInverseSemigroup|IsGeneratorsOfMagmaWithInverses|IsGeneratorsOfModuleRep|IsGeneratorsOfSemigroup|IsGeneric|IsGenericAffineSemigroup|IsGenericCharacterTableRep|IsGenericCoMultMap|IsGenericFiniteSpace|IsGenericNumericalSemigroup|IsGenericQUEA|IsGenericQUEAAntiAutomorphism|IsGenericQUEAAutomorphism|IsGenericQUEAHomomorphism|IsGentleAlgebra|IsGeometryMap|IsGeometryMapRep|IsGeometryMorphism|IsGlobalDimensionFinite|IsGlobalRandomSource|IsGoodIdeal|IsGoodIdealRep|IsGoodSemigroup|IsGoodSemigroupByAmalgamation|IsGoodSemigroupByCartesianProduct|IsGoodSemigroupByDuplication|IsGoodSemigroupRep|IsGorenstein|IsGorensteinAlgebra|IsGradation|IsGradedAlgebraPresentation|IsGradedAlgebraPresentationRep|IsGradedAssociatedRingNumericalSemigroupBuchsbaum|IsGradedAssociatedRingNumericalSemigroupCI|IsGradedAssociatedRingNumericalSemigroupCM|IsGradedAssociatedRingNumericalSemigroupGorenstein|IsGradedLambdaOrb|IsGradedLambdaOrbs|IsGradedModuleOrGradedSubmoduleRep|IsGradedModuleRep|IsGradedMorphism|IsGradedObject|IsGradedOrbit|IsGradedRhoOrb|IsGradedRhoOrbs|IsGradedSubmoduleRep|IsGraph|IsGraphInverseSemigroup|IsGraphInverseSemigroupElement|IsGraphInverseSemigroupElementCollection|IsGraphInverseSubsemigroup|IsGraphIsomorphism|IsGraphOfFpGroupoids|IsGraphOfFpGroups|IsGraphOfGroupoids|IsGraphOfGroupoidsGroupoid|IsGraphOfGroupoidsRep|IsGraphOfGroupoidsWord|IsGraphOfGroupoidsWordFamily|IsGraphOfGroupoidsWordRep|IsGraphOfGroupoidsWordType|IsGraphOfGroups|IsGraphOfGroupsFamily|IsGraphOfGroupsRep|IsGraphOfGroupsType|IsGraphOfGroupsWord|IsGraphOfGroupsWordFamily|IsGraphOfGroupsWordRep|IsGraphOfGroupsWordType|IsGraphOfPcGroupoids|IsGraphOfPcGroups|IsGraphOfPermGroupoids|IsGraphOfPermGroups|IsGraphWithColourClasses|IsGraphicIdealLattice|IsGrassmannMap|IsGrassmannMapRep|IsGrassmannVariety|IsGrassmannVarietyRep|IsGreensClass|IsGreensClassNC|IsGreensClassOfSemigroupThatCanUseFroidurePinRep|IsGreensDClass|IsGreensDGreaterThanFunc|IsGreensDRelation|IsGreensHClass|IsGreensHRelation|IsGreensJClass|IsGreensJRelation|IsGreensLClass|IsGreensLRelation|IsGreensLessThanOrEqual|IsGreensRClass|IsGreensRRelation|IsGreensRelation|IsGreensRelationOfSemigroupThatCanUseFroidurePinRep|IsGriesmerCode|IsGrobnerBasis|IsGrobnerPair|IsGroebnerBasis|IsGroebnerBasisDefaultRep|IsGroebnerBasisIteratorRep|IsGroup|IsGroupAlgebra|IsGroupAsSemigroup|IsGroupClass|IsGroupClassByListRep|IsGroupFRElement|IsGroupFRMachine|IsGroupFRMealyElement|IsGroupGeneralMapping|IsGroupGeneralMappingByAsGroupGeneralMappingByImages|IsGroupGeneralMappingByImages|IsGroupGeneralMappingByPcgs|IsGroupGroupoidElement|IsGroupGroupoidElementCollection|IsGroupGroupoidElementFamily|IsGroupGroupoidElementRep|IsGroupGroupoidElementType|IsGroupHClass|IsGroupHomomorphism|IsGroupOfAutomFamily|IsGroupOfAutomorphisms|IsGroupOfAutomorphismsFiniteGroup|IsGroupOfFamily|IsGroupOfGroupoidAutomorphisms|IsGroupOfSelfSimFamily|IsGroupOfUnitsOfMagmaRing|IsGroupRWS|IsGroupRing|IsGroupToAdditiveGroupGeneralMapping|IsGroupToAdditiveGroupHomomorphism|IsGroupWithObjectsHomomorphism|IsGroupoid|IsGroupoidAutomorphism|IsGroupoidAutomorphismByGroupAuto|IsGroupoidAutomorphismByObjectPerm|IsGroupoidAutomorphismByPiecesPerm|IsGroupoidAutomorphismByRayShifts|IsGroupoidByIsomorphisms|IsGroupoidByIsomorphismsElement|IsGroupoidByIsomorphismsElementCollection|IsGroupoidByIsomorphismsElementType|IsGroupoidCollection|IsGroupoidCoset|IsGroupoidElement|IsGroupoidElementCollection|IsGroupoidElementFamily|IsGroupoidElementType|IsGroupoidEndomorphism|IsGroupoidFamily|IsGroupoidHomomorphism|IsGroupoidHomomorphismCollColl|IsGroupoidHomomorphismCollCollColl|IsGroupoidHomomorphismCollection|IsGroupoidHomomorphismFromHomogeneousDiscrete|IsGroupoidHomomorphismFromHomogeneousDiscreteRep|IsGroupoidHomomorphismWithGroupoidByIsomorphisms|IsGroupoidMappingToSinglePieceType|IsGroupoidMappingWithPiecesType|IsGroupoidPiecesType|IsGroupoidType|IsGroupoidWithMonoidObjects|IsHAPDerivation|IsHAPDerivationRep|IsHAPIdealRep|IsHAPRationalMatrixGroup|IsHAPRationalSpecialLinearGroup|IsHAPRingHomomorphism|IsHAPRingHomomorphismIndeterminateMapRep|IsHAPRingModIdealObj|IsHAPRingReductionHomomorphismRep|IsHAPRingToSubringHomomorphismRep|IsHAPSubringToRingHomomorphismRep|IsHAPZeroRingHomomorphismRep|IsHPCGAP|IsHStarClass|IsHStarRelation|IsHTrivial|IsHadamardMatrix|IsHalfInfList|IsHalfInfListDefaultRep|IsHamiltonianDigraph|IsHandledByNiceBasis|IsHandledByNiceMonomorphism|IsHapCatOneGroup|IsHapCatOneGroupMorphism|IsHapCatOneGroupMorphismRep|IsHapCatOneGroupRep|IsHapChain|IsHapChainComplex|IsHapChainComplexRep|IsHapChainMap|IsHapChainMapRep|IsHapCochain|IsHapCochainComplex|IsHapCochainComplexRep|IsHapCochainMap|IsHapCochainMapRep|IsHapCommutativeDiagram|IsHapCommutativeDiagramRep|IsHapComplex|IsHapConjQuandElt|IsHapConjQuandEltRep|IsHapCrossedModule|IsHapCrossedModuleMorphism|IsHapCrossedModuleMorphismRep|IsHapCrossedModuleRep|IsHapCubicalComplex|IsHapCubicalComplexRep|IsHapEquivariantCWComplex|IsHapEquivariantCWComplexRep|IsHapEquivariantChainComplex|IsHapEquivariantChainComplexRep|IsHapEquivariantChainMap|IsHapEquivariantChainMapRep|IsHapEquivariantSpectralSequencePage|IsHapEquivariantSpectralSequencePageRep|IsHapFPGModule|IsHapFPGModuleHomomorphism|IsHapFilteredChainComplex|IsHapFilteredChainComplexRep|IsHapFilteredCubicalComplex|IsHapFilteredCubicalComplexRep|IsHapFilteredGraph|IsHapFilteredGraphRep|IsHapFilteredPureCubicalComplex|IsHapFilteredPureCubicalComplexRep|IsHapFilteredRegularCWComplex|IsHapFilteredRegularCWComplexRep|IsHapFilteredSimplicialComplex|IsHapFilteredSimplicialComplexRep|IsHapFilteredSparseChainComplex|IsHapFilteredSparseChainComplexRep|IsHapGChainComplex|IsHapGCocomplex|IsHapGCocomplexRep|IsHapGComplex|IsHapGComplexMap|IsHapGComplexMapRep|IsHapGComplexRep|IsHapGraph|IsHapGraphRep|IsHapLargeGroupResolutionRep|IsHapMap|IsHapNonFreeResolution|IsHapOppositeElement|IsHapOppositeElementRep|IsHapPureCubicalComplex|IsHapPureCubicalComplexRep|IsHapPureCubicalLink|IsHapPureCubicalLinkRep|IsHapPurePermutahedralComplex|IsHapPurePermutahedralComplexRep|IsHapQuandlePresentation|IsHapQuandlePresentationRep|IsHapQuotientElement|IsHapQuotientElementRep|IsHapRegularCWComplex|IsHapRegularCWComplexRep|IsHapRegularCWMap|IsHapRegularCWMapRep|IsHapResolution|IsHapResolutionRep|IsHapRightTransversalSL2ZSubgroup|IsHapSL2OSubgroup|IsHapSL2Subgroup|IsHapSL2ZSubgroup|IsHapSimplicialComplex|IsHapSimplicialComplexRep|IsHapSimplicialFreeAbelianGroup|IsHapSimplicialFreeAbelianGroupRep|IsHapSimplicialGroup|IsHapSimplicialGroupMorphism|IsHapSimplicialGroupMorphismRep|IsHapSimplicialGroupRep|IsHapSimplicialMap|IsHapSimplicialMapRep|IsHapSparseChainComplex|IsHapSparseChainComplexRep|IsHapSparseChainMap|IsHapSparseChainMapRep|IsHapSparseMat|IsHapSparseMatRep|IsHapTorsionSubcomplex|IsHapTorsionSubcomplexRep|IsHash|IsHashMap|IsHashMapRep|IsHashOrbitRep|IsHashSet|IsHashSetRep|IsHashTab|IsHashTabRep|IsHasseDiagram|IsHeap|IsHecke|IsHeckeModule|IsHeckePIM|IsHeckeSimple|IsHeckeSpecht|IsHereditary|IsHereditaryAlgebra|IsHermite|IsHermitianForm|IsHermitianFormCollection|IsHermitianMatrix|IsHermitianPolarSpace|IsHermitianPolarityOfProjectiveSpace|IsHermitianVariety|IsHermitianVarietyRep|IsHigherDimensionalDomain|IsHigherDimensionalGroup|IsHigherDimensionalGroupMorphism|IsHigherDimensionalGroupMorphismCollColl|IsHigherDimensionalGroupMorphismCollCollColl|IsHigherDimensionalGroupMorphismCollection|IsHigherDimensionalMagma|IsHigherDimensionalMagmaCollection|IsHigherDimensionalMagmaGeneralMapping|IsHigherDimensionalMagmaMorphism|IsHigherDimensionalMagmaWithInverses|IsHigherDimensionalMagmaWithOne|IsHigherDimensionalMapping|IsHigherDimensionalMappingRep|IsHigherDimensionalMonoid|IsHigherDimensionalMonoidMorphism|IsHigherDimensionalSemigroup|IsHigherDimensionalSemigroupMorphism|IsHnnExtension|IsHolonomic|IsHomSetInhabited|IsHomalgBicomplex|IsHomalgBigradedObject|IsHomalgBigradedObjectAssociatedToABicomplex|IsHomalgBigradedObjectAssociatedToAFilteredComplex|IsHomalgBigradedObjectAssociatedToAnExactCouple|IsHomalgCategory|IsHomalgCategoryOfLeftObjectsRep|IsHomalgCategoryOfRightObjectsRep|IsHomalgChainEndomorphism|IsHomalgChainMorphism|IsHomalgComplex|IsHomalgDiagram|IsHomalgDiagramRep|IsHomalgElement|IsHomalgEndomorphism|IsHomalgExternalMatrixRep|IsHomalgExternalQRingInSingularRep|IsHomalgExternalRingElementRep|IsHomalgExternalRingInGAPRep|IsHomalgExternalRingInMAGMARep|IsHomalgExternalRingInMacaulay2Rep|IsHomalgExternalRingInMapleRep|IsHomalgExternalRingInOscarRep|IsHomalgExternalRingInSageRep|IsHomalgExternalRingInSingularRep|IsHomalgExternalRingObjectInGAPRep|IsHomalgExternalRingObjectInMAGMARep|IsHomalgExternalRingObjectInMacaulay2Rep|IsHomalgExternalRingObjectInMapleRep|IsHomalgExternalRingObjectInMapleUsingInvolutiveRep|IsHomalgExternalRingObjectInMapleUsingJanetOreRep|IsHomalgExternalRingObjectInMapleUsingJanetRep|IsHomalgExternalRingObjectInMapleUsingOreModulesRep|IsHomalgExternalRingObjectInMapleUsingPIRRep|IsHomalgExternalRingObjectInOscarRep|IsHomalgExternalRingObjectInSageRep|IsHomalgExternalRingObjectInSingularRep|IsHomalgExternalRingRep|IsHomalgFakeLocalRingRep|IsHomalgFiltration|IsHomalgFiltrationOfLeftObject|IsHomalgFiltrationOfRightObject|IsHomalgFunctor|IsHomalgFunctorRep|IsHomalgGenerators|IsHomalgGeneratorsOfLeftModule|IsHomalgGeneratorsOfRightModule|IsHomalgGradedMap|IsHomalgGradedModule|IsHomalgGradedRing|IsHomalgGradedRingElement|IsHomalgGradedRingElementRep|IsHomalgGradedRingOrGradedModuleRep|IsHomalgGradedRingRep|IsHomalgGradedSelfMap|IsHomalgInternalMatrixRep|IsHomalgInternalRingRep|IsHomalgLeftObjectOrMorphismOfLeftObjects|IsHomalgLocalMatrixRep|IsHomalgLocalRingElementRep|IsHomalgLocalRingRep|IsHomalgMap|IsHomalgMatrix|IsHomalgMatrixOverGradedRingRep|IsHomalgModule|IsHomalgModuleElement|IsHomalgModuleOrMap|IsHomalgMorphism|IsHomalgObject|IsHomalgObjectOrMorphism|IsHomalgRelations|IsHomalgRelationsOfLeftModule|IsHomalgRelationsOfRightModule|IsHomalgResidueClassMatrixRep|IsHomalgResidueClassRingElementRep|IsHomalgResidueClassRingRep|IsHomalgRightObjectOrMorphismOfRightObjects|IsHomalgRing|IsHomalgRingElement|IsHomalgRingMap|IsHomalgRingMapRep|IsHomalgRingOrFinitelyPresentedModuleRep|IsHomalgRingOrModule|IsHomalgRingRelations|IsHomalgRingRelationsAsGeneratorsOfLeftIdeal|IsHomalgRingRelationsAsGeneratorsOfRightIdeal|IsHomalgRingSelfMap|IsHomalgSelfMap|IsHomalgSpectralSequence|IsHomalgSpectralSequenceAssociatedToABicomplex|IsHomalgSpectralSequenceAssociatedToAFilteredComplex|IsHomalgSpectralSequenceAssociatedToAnExactCouple|IsHomalgStaticMorphism|IsHomalgStaticObject|IsHomalgStaticObjectOrMorphism|IsHomoCyclic|IsHomogeneous|IsHomogeneousDiscreteGroupoid|IsHomogeneousDiscreteGroupoidRep|IsHomogeneousDiscreteGroupoidType|IsHomogeneousDomainWithObjects|IsHomogeneousElement|IsHomogeneousGroebnerBasis|IsHomogeneousList|IsHomogeneousNumericalSemigroup|IsHomogeneousQuandle|IsHomogeneousRingElement|IsHomomorphismFromSinglePiece|IsHomomorphismIntoMatrixGroup|IsHomomorphismToSinglePiece|IsHomsetCosets|IsHomsetCosetsFamily|IsHomsetCosetsRep|IsHomsetCosetsType|IsHonest|IsHyperbolic|IsHyperbolicForm|IsHyperbolicQuadric|IsIEEE754FloatRep|IsIEEE754PseudoField|IsIOHub|IsIOHubCat|IsIRAutomaton|IsIdSmallSemigroup|IsIdeal|IsIdealInParent|IsIdealInPathAlgebra|IsIdealOfAffineSemigroup|IsIdealOfAffineSemigroupRep|IsIdealOfNumericalSemigroup|IsIdealOfNumericalSemigroupRep|IsIdealOfQuadraticIntegers|IsIdealOp|IsIdealOrb|IsIdempotent|IsIdempotentGenerated|IsIdenticalObj|IsIdenticalObjFamiliesColObjObj|IsIdenticalObjFamiliesColObjObjObj|IsIdenticalObjFamiliesColXXXObj|IsIdenticalObjFamiliesColXXXXXXObj|IsIdenticalObjFamiliesRwsObj|IsIdenticalObjFamiliesRwsObjObj|IsIdenticalObjFamiliesRwsObjXXX|IsIdenticalObjForFunctors|IsIdenticalToIdentityMorphism|IsIdenticalToZeroMorphism|IsIdentityCat1Algebra|IsIdentityCat2Group|IsIdentityEndoMapping|IsIdentityMapping|IsIdentityMappingOfElementsOfProjectiveSpace|IsIdentityMat|IsIdentityMorphism|IsIdentityPBR|IsIdentityPreCat1Group|IsIdle|IsImageSquare|IsImfMatrixGroup|IsImmutableDigraph|IsImpossible|IsInAdditiveClosure|IsInBasicOrbit|IsInFullMatrixRing|IsInOrbit|IsInRegularDigraph|IsInStandardForm|IsIncidenceGeometry|IsIncidenceStructure|IsIncidenceStructureRep|IsIncident|IsIncomparableUnder|IsIndecomposableModule|IsIndependentSet|IsInducedCoMultMap|IsInducedFromNormalSubgroup|IsInducedPcgs|IsInducedPcgsRep|IsInducedPcgsWrtSpecialPcgs|IsInducedQUEAAntiAutomorphism|IsInducedQUEAAutomorphism|IsInducedQUEAHomomorphism|IsInducedXMod|IsInfBitsAssocWord|IsInfBitsFamily|IsInfList|IsInfListDefaultRep|IsInfiniteAbelianizationGroup|IsInfiniteListOfGeneratorsRep|IsInfiniteListOfNamesRep|IsInfiniteNumber|IsInfinitelyTransitive|IsInfinity|IsInfoClass|IsInfoClassCollection|IsInfoClassListRep|IsInfoSelector|IsInitial|IsInitialIdentityMatrix|IsInitialMatrix|IsInitializedFSA|IsInjective|IsInjectiveCogenerator|IsInjectiveComplex|IsInjectiveListTrans|IsInjectiveModule|IsInjectiveOnObjects|IsInjectivePresentation|IsInnerAut|IsInnerAut_simple|IsInnerAutomorphism|IsInnerAutomorphismNearRing|IsInnerAutomorphismNearRingByCommutators|IsInputOutputStream|IsInputOutputStreamByPtyRep|IsInputOutputTCPStream|IsInputOutputTCPStreamRep|IsInputStream|IsInputTextFileRep|IsInputTextNone|IsInputTextNoneRep|IsInputTextStream|IsInputTextStringRep|IsInt|IsIntFloat|IsIntLPR|IsIntList|IsIntVector|IsIntegerMatrix|IsIntegerMatrixCollColl|IsIntegerMatrixCollection|IsIntegerMatrixGroup|IsIntegerMatrixMonoid|IsIntegerMatrixSemigroup|IsIntegerOfNumberField|IsIntegers|IsIntegersForHomalg|IsIntegral|IsIntegralBasis|IsIntegralCyclotomic|IsIntegralDomain|IsIntegralIdealOfAffineSemigroup|IsIntegralIdealOfNumericalSemigroup|IsIntegralNearRing|IsIntegralRing|IsIntegrallyClosedDomain|IsIntegrated|IsIntermultPair|IsInternalMatrixHull|IsInternalRep|IsInternalSuffixTreeNode|IsInternallyConsistent|IsIntersectionOfCongruenceSubgroups|IsInterval|IsInvAutomatonCategory|IsInvariant|IsInvariantAssert|IsInvariantLPresentation|IsInvariantUnderMaps|IsInverseActingRepGreensClass|IsInverseActingSemigroupRep|IsInverseAutomaton|IsInverseGeneralMappingRep|IsInverseInKernel|IsInverseMonoid|IsInverseOrb|IsInverseSemigroup|IsInverseSemigroupCongruenceByKernelTrace|IsInverseSemigroupCongruenceClassByKernelTrace|IsInverseSubsemigroup|IsInvertible|IsInvertibleAutom|IsInvertibleAutomCollection|IsInvertibleMatrix|IsInvertibleSelfSim|IsInvertibleSelfSimCollection|IsInvolutive|IsInvolutiveViaGeneratorData|IsIrreducible|IsIrreducibleCharacter|IsIrreducibleHomalgRingElement|IsIrreducibleMatrixGroup|IsIrreducibleMatrixGroupOp|IsIrreducibleNumericalSemigroup|IsIrreducibleRingElement|IsIrreducibleVHGroup|IsIsomBySP|IsIsomorphicBlockDesign|IsIsomorphicCat1Algebra|IsIsomorphicCubefreeGroups|IsIsomorphicDigraph|IsIsomorphicGraph|IsIsomorphicGroup|IsIsomorphicIncidenceStructureWithNauty|IsIsomorphicNearRing|IsIsomorphicPGroup|IsIsomorphicSemigroup|IsIsomorphism|IsIsomorphismByFinitePolycyclicMatrixGroup|IsIsomorphismByPolycyclicMatrixGroup|IsIsomorphismOfAbelianFpGroups|IsIsomorphismOfLieAlgebras|IsIsomorphismOfProjectivePlanes|IsIsotropicVector|IsIterator|IsIteratorByFunctions|IsIteratorByFunctionsRep|IsIteratorOfSmallSemigroups|IsIwasawaSylow|IsJStarClass|IsJStarRelation|IsJacobianElement|IsJacobianElementCollColl|IsJacobianElementCollection|IsJacobianRing|IsJacobsonRadical|IsJoinIrreducible|IsJoinSemilatticeDigraph|IsJustInfinite|IsKBMAGRewritingSystemRep|IsKantorFamily|IsKaplanskyHermite|IsKernelContainingPrecedingVectors|IsKernelDataObjectRep|IsKernelExtensionAvailable|IsKernelFunction|IsKernelPcWord|IsKernelSquare|IsKnownACEOption|IsKnownSRGParameterTuple|IsKnuthBendixRewritingSystem|IsKnuthBendixRewritingSystemRep|IsKoszul|IsKreinConditionsSatisfied|IsKroneckerAlgebra|IsKroneckerConstRep|IsKroneckerPolynomial|IsLCCLoop|IsLCLoop|IsLDistributive|IsLPRElement|IsLPRElementCollection|IsLPRElementFamily|IsLPRElementRep|IsLRElement|IsLRElementCollection|IsLRElementFamily|IsLSPath|IsLStarClass|IsLStarRelation|IsLTrivial|IsLVarsBag|IsLambdaOrb|IsLambekPairOfSquares|IsLatinMagma|IsLatinQuandle|IsLatinSquare|IsLatticeDigraph|IsLatticeOrderBinaryRelation|IsLatticeSubgroupsRep|IsLaurentPolynomial|IsLaurentPolynomialDefaultRep|IsLaurentPolynomialsFamily|IsLaurentPolynomialsFamilyElement|IsLeaf|IsLeftALoop|IsLeftActedOnByDivisionRing|IsLeftActedOnByRing|IsLeftActedOnBySuperset|IsLeftAcyclic|IsLeftAlgebraModule|IsLeftAlgebraModuleElement|IsLeftAlgebraModuleElementCollection|IsLeftAlternative|IsLeftArtinian|IsLeftAutomorphicLoop|IsLeftBisetBasis|IsLeftBolLoop|IsLeftBruckLoop|IsLeftCongruenceCategory|IsLeftCongruenceClass|IsLeftConjugacyClosedLoop|IsLeftCosetWithObjects|IsLeftCosetWithObjectsDefaultRep|IsLeftDistributive|IsLeftDivisible|IsLeftExactFunctor|IsLeftFiniteFreePresentationRing|IsLeftFree|IsLeftGlobalDimensionFinite|IsLeftHereditary|IsLeftHermite|IsLeftIdeal|IsLeftIdealFromGenerators|IsLeftIdealInParent|IsLeftIdealOp|IsLeftInvertibleMatrix|IsLeftKLoop|IsLeftLexicographicOrdering|IsLeftMagmaCongruence|IsLeftMagmaIdeal|IsLeftMinimal|IsLeftModule|IsLeftModuleGeneralMapping|IsLeftModuleHomomorphism|IsLeftNilpotent|IsLeftNoetherian|IsLeftNonDegenerate|IsLeftNuclearSquareLoop|IsLeftOperatorAdditiveGroup|IsLeftOperatorRing|IsLeftOperatorRingWithOne|IsLeftOrRightPresentation|IsLeftOrRightPresentationMorphism|IsLeftOreDomain|IsLeftPathAlgebraModuleGroebnerBasis|IsLeftPowerAlternative|IsLeftPresentation|IsLeftPresentationMorphism|IsLeftPrincipalIdealRing|IsLeftRegular|IsLeftSemigroupCongruence|IsLeftSemigroupIdeal|IsLeftSimple|IsLeftTransitive|IsLeftUniform|IsLeftVectorOrdering|IsLeftVectorSpace|IsLeftZeroSemigroup|IsLengthOrdering|IsLessThanOrEqualUnder|IsLessThanUnder|IsLetterAssocWordRep|IsLetterWordsFamily|IsLevelTransitive|IsLevelTransitiveFRElement|IsLevelTransitiveFRGroup|IsLevelTransitiveOnPatterns|IsLexOrderedFFE|IsLexicographicOrdering|IsLexicographicallyLess|IsLibTomRep|IsLibraryCharacterTableRep|IsLibraryNearRing|IsLieAbelian|IsLieAlgDBCollection|IsLieAlgDBCollection_Nilpotent|IsLieAlgDBCollection_NonSolvable|IsLieAlgDBCollection_Solvable|IsLieAlgDBParListIteratorDimension6Characteristic3CompRep|IsLieAlgebra|IsLieAlgebraByAssociativeAlgebra|IsLieAlgebraHomomorphism|IsLieAlgebraOfGroupRing|IsLieAlgebraWithNB|IsLieCentreByMetabelian|IsLieCover|IsLieEmbeddingRep|IsLieFamFam|IsLieFpElementRep|IsLieFpElementSpace|IsLieGeometry|IsLieMatrix|IsLieMetabelian|IsLieNilpotent|IsLieNilpotentElement|IsLieNilpotentOverFp|IsLieObject|IsLieObjectCollection|IsLieObjectsModule|IsLiePRing|IsLiePUnit|IsLieRing|IsLieSoluble|IsLieSolvable|IsLiftable|IsLiftableAlongMonomorphism|IsLineByLineProfileActive|IsLinearActionHomomorphism|IsLinearCategoryOverCommutativeRing|IsLinearCode|IsLinearCodeRep|IsLinearFRElement|IsLinearFRElementCollection|IsLinearFRElementSpace|IsLinearFRMachine|IsLinearGeneralMappingByImagesDefaultRep|IsLinearMapping|IsLinearMappingByMatrixDefaultRep|IsLinearMappingsModule|IsLinearRepresentation|IsLinearRepresentationIsomorphism|IsLinearSystem|IsLinearlyIndependent|IsLinearlyPrimitive|IsLinearqClan|IsLinkedListCacheNodeRep|IsLinkedListCacheRep|IsLinkedTriple|IsList|IsListDefault|IsListDictionary|IsListLookupDictionary|IsListOfIntegers|IsListOfIntegersNS|IsListOrCollection|IsListRep|IsListWithAttributes|IsListWithAttributesRep|IsLocal|IsLocalAction|IsLocalInterpolationNearRing|IsLocalizedWeylRing|IsLocallyOfFiniteInjectiveDimension|IsLocallyOfFiniteProjectiveDimension|IsLockable|IsLockedObject|IsLockedRepresentationVector|IsLogOrderedFFE|IsLoggedModulePoly|IsLoggedModulePolyYSeqRelsRep|IsLogicFunction|IsLogicFunctionObj|IsLogicFunctionObjCollection|IsLogicFunctionRep|IsLookupDictionary|IsLoop|IsLoopCayleyTable|IsLoopElement|IsLoopElmRep|IsLoopTable|IsLoopy|IsLowerAlphaChar|IsLowerStairCaseMatrix|IsLowerTriangularFRElement|IsLowerTriangularMat|IsLowerTriangularMatrix|IsLowerUnitriangular|IsLpGroup|IsLucasPseudoPrimeDP|IsMDReduced|IsMDSCode|IsMDTrivial|IsMED|IsMEDNumericalSemigroup|IsMPCFloat|IsMPFIFloat|IsMPFRFloat|IsMPFRFloatFamily|IsMPFRPseudoField|IsMTS|IsMTSE|IsMVThresholdElement|IsMVThresholdElementObj|IsMVThresholdElementObjCollection|IsMVThresholdElementRep|IsMWOMappingToSinglePieceType|IsMWOMappingWithPiecesType|IsMWOSinglePieceRep|IsMagma|IsMagmaByMultiplicationTableObj|IsMagmaCollsMagmaRingColls|IsMagmaCongruence|IsMagmaHomomorphism|IsMagmaIdeal|IsMagmaRingModuloRelations|IsMagmaRingModuloSpanOfZero|IsMagmaRingObjDefaultRep|IsMagmaRingsMagmas|IsMagmaRingsRings|IsMagmaWOPiecesType|IsMagmaWithInverses|IsMagmaWithInversesIfNonzero|IsMagmaWithObjects|IsMagmaWithObjectsCollection|IsMagmaWithObjectsFamily|IsMagmaWithObjectsGeneralMapping|IsMagmaWithObjectsHomomorphism|IsMagmaWithObjectsType|IsMagmaWithOne|IsMagmaWithZeroAdjoined|IsMagmaWithZeroAdjoinedElementRep|IsMagmasMagmaRings|IsMajorantlyClosed|IsMajorantlyClosedNC|IsMalcevCNElement|IsMalcevCNElementCollection|IsMalcevCNElementFamily|IsMalcevCNElementRep|IsMalcevCollector|IsMalcevCollectorRep|IsMalcevElement|IsMalcevGElement|IsMalcevGElementCollection|IsMalcevGElementFamily|IsMalcevGElementRep|IsMalcevGenElement|IsMalcevGenElementCollection|IsMalcevGenElementFamily|IsMalcevGenElementRep|IsMalcevGrpElement|IsMalcevGrpElementCollection|IsMalcevGrpElementFamily|IsMalcevGrpElementRep|IsMalcevLieElement|IsMalcevLieElementCollection|IsMalcevLieElementFamily|IsMalcevLieElementRep|IsMalcevObject|IsMalcevObjectRep|IsMalcevPcpElement|IsMapOfFinitelyGeneratedModulesRep|IsMapOfGradedModulesRep|IsMapping|IsMapping2ArgumentsByFunction|IsMappingByFunctionRep|IsMappingByFunctionWithData|IsMappingByFunctionWithInverseRep|IsMappingToGroupWithGGRWS|IsMappingToSinglePieceRep|IsMappingWithObjects|IsMappingWithObjectsByFunction|IsMappingWithPiecesRep|IsMatGroupOverFieldFam|IsMatching|IsMatchingSublist|IsMatrix|IsMatrixCategory|IsMatrixCollection|IsMatrixFLMLOR|IsMatrixGroup|IsMatrixGroupoid|IsMatrixModule|IsMatrixNearRing|IsMatrixObj|IsMatrixOrMatrixObj|IsMatrixOverFiniteField|IsMatrixOverFiniteFieldCollColl|IsMatrixOverFiniteFieldCollection|IsMatrixOverFiniteFieldGroup|IsMatrixOverFiniteFieldMonoid|IsMatrixOverFiniteFieldSemigroup|IsMatrixOverGradedRing|IsMatrixOverGradedRingWithHomogeneousEntries|IsMatrixOverHomalgFakeLocalRingRep|IsMatrixOverSemiring|IsMatrixOverSemiringCollColl|IsMatrixOverSemiringCollection|IsMatrixOverSemiringMonoid|IsMatrixOverSemiringSemigroup|IsMatrixRepresentation|IsMatrixSpace|IsMaxPlusMatrix|IsMaxPlusMatrixCollColl|IsMaxPlusMatrixCollection|IsMaxPlusMatrixMonoid|IsMaxPlusMatrixSemigroup|IsMaximalAISMatrixGroup|IsMaximalAbelianFactorGroup|IsMaximalAbsolutelyIrreducibleSolubleMatrixGroup|IsMaximalAbsolutelyIrreducibleSolvableMatrixGroup|IsMaximalClique|IsMaximalIndependentSet|IsMaximalMatching|IsMaximalNearRingIdeal|IsMaximalPrimePower|IsMaximalSubsemigroup|IsMaximumMatching|IsMcAlisterTripleSemigroup|IsMcAlisterTripleSemigroupDefaultRep|IsMcAlisterTripleSemigroupElement|IsMcAlisterTripleSemigroupElementCollection|IsMcAlisterTripleSemigroupElementRep|IsMcAlisterTripleSubsemigroup|IsMealyAutomaton|IsMealyAutomatonCollection|IsMealyAutomatonFamily|IsMealyAutomatonRep|IsMealyElement|IsMealyMachine|IsMealyMachineDomainRep|IsMealyMachineIntRep|IsMedial|IsMeetSemilatticeDigraph|IsMember|IsMemberOp|IsMemberPcSeriesPermGroup|IsMersenneTwister|IsMetricMatrix|IsMiddleALoop|IsMiddleAutomorphicLoop|IsMiddleNuclearSquareLoop|IsMinPlusMatrix|IsMinPlusMatrixCollColl|IsMinPlusMatrixCollection|IsMinPlusMatrixMonoid|IsMinPlusMatrixSemigroup|IsMinimalIdeal|IsMinimalImage|IsMinimalImageLessThan|IsMinimalNonmonomial|IsMinimalRelationOfNumericalSemigroup|IsMinimized|IsMinusDecomposable|IsMinusOne|IsMixedCachingObjectRep|IsModularNearRingRightIdeal|IsModularNumericalSemigroup|IsModuleOfGlobalSectionsTruncatedAtCertainDegree|IsModulePoly|IsModulePolyGensPolysRep|IsModuloPcgs|IsModuloPcgsFpGroupRep|IsModuloPcgsPermGroupRep|IsModuloPcgsRep|IsModuloTailPcgsByListRep|IsModuloTailPcgsRep|IsModulusRep|IsMonic|IsMonicUptoUnit|IsMonogenic|IsMonogenicInverseMonoid|IsMonogenicInverseSemigroup|IsMonogenicMonoid|IsMonogenicSemigroup|IsMonoid|IsMonoidAsSemigroup|IsMonoidByAdjoiningIdentity|IsMonoidByAdjoiningIdentityElt|IsMonoidByAdjoiningIdentityEltRep|IsMonoidFRElement|IsMonoidFRMachine|IsMonoidFRMealyElement|IsMonoidOfDerivations|IsMonoidOfSections|IsMonoidOfUp2DimensionalMappings|IsMonoidOfUp2DimensionalMappingsObj|IsMonoidPoly|IsMonoidPolyTermsRep|IsMonoidPresentationFpGroup|IsMonoidPresentationFpGroupRep|IsMonoidRWS|IsMonoidWOPiecesType|IsMonoidWithObjects|IsMonoidWithObjectsFamily|IsMonoidWithObjectsHomomorphism|IsMonoidWithObjectsType|IsMonoidalCategory|IsMonomSystem|IsMonomial|IsMonomialAlgebra|IsMonomialCharacter|IsMonomialCharacterTable|IsMonomialElement|IsMonomialElementCollection|IsMonomialElementFamily|IsMonomialElementRep|IsMonomialElementVectorSpace|IsMonomialGroup|IsMonomialIdeal|IsMonomialMatrix|IsMonomialNumber|IsMonomialNumericalSemigroup|IsMonomialOrdering|IsMonomialOrderingDefaultRep|IsMonomorphism|IsMorphism|IsMorphismOfFinitelyGeneratedObjectsRep|IsMoufangLoop|IsMpure|IsMpureNumericalSemigroup|IsMultGroupByFieldElemsIsomorphism|IsMultSemigroupOfNearRing|IsMultiDigraph|IsMultipermutation|IsMultipleAlgebra|IsMultiplicationRespectingHomomorphism|IsMultiplicativeElement|IsMultiplicativeElementCollColl|IsMultiplicativeElementCollCollColl|IsMultiplicativeElementCollection|IsMultiplicativeElementList|IsMultiplicativeElementTable|IsMultiplicativeElementWithInverse|IsMultiplicativeElementWithInverseByPolycyclicCollector|IsMultiplicativeElementWithInverseByPolycyclicCollectorCollection|IsMultiplicativeElementWithInverseByRws|IsMultiplicativeElementWithInverseCollColl|IsMultiplicativeElementWithInverseCollCollColl|IsMultiplicativeElementWithInverseCollection|IsMultiplicativeElementWithInverseList|IsMultiplicativeElementWithInverseTable|IsMultiplicativeElementWithObjects|IsMultiplicativeElementWithObjectsAndInverses|IsMultiplicativeElementWithObjectsAndInversesCollection|IsMultiplicativeElementWithObjectsAndInversesFamily|IsMultiplicativeElementWithObjectsAndOnes|IsMultiplicativeElementWithObjectsAndOnesCollection|IsMultiplicativeElementWithObjectsAndOnesFamily|IsMultiplicativeElementWithObjectsCollection|IsMultiplicativeElementWithObjectsFamily|IsMultiplicativeElementWithObjectsType|IsMultiplicativeElementWithOne|IsMultiplicativeElementWithOneCollColl|IsMultiplicativeElementWithOneCollCollColl|IsMultiplicativeElementWithOneCollection|IsMultiplicativeElementWithOneList|IsMultiplicativeElementWithOneTable|IsMultiplicativeElementWithZero|IsMultiplicativeElementWithZeroCollection|IsMultiplicativeGeneralizedRowVector|IsMultiplicativeZero|IsMutable|IsMutableBasis|IsMutableBasisByImmutableBasisRep|IsMutableBasisOfGaussianMatrixSpaceRep|IsMutableBasisOfGaussianRowSpaceRep|IsMutableBasisViaNiceMutableBasisRep|IsMutableBasisViaUnderlyingMutableBasisRep|IsMutableDigraph|IsN0SimpleNGroup|IsNBitsPcWordRep|IsNG|IsNGeneratedSemigroup|IsNGroup|IsNIdeal|IsNIdempotentSemigroup|IsNInfinity|IsNRI|IsNRIDefaultRep|IsNSubgroup|IsNTPMatrix|IsNTPMatrixCollColl|IsNTPMatrixCollection|IsNTPMatrixMonoid|IsNTPMatrixSemigroup|IsNaN|IsNakayamaAlgebra|IsNameOfNoninstalledTableOfMarks|IsNaturalAlternatingGroup|IsNaturalCT|IsNaturalCTP_Z|IsNaturalCT_GFqx|IsNaturalCT_Z|IsNaturalCT_Z_pi|IsNaturalCT_ZxZ|IsNaturalGL|IsNaturalGLnZ|IsNaturalHomomorphismPcGroupRep|IsNaturalRCWA|IsNaturalRCWA_GFqx|IsNaturalRCWA_OR_CT|IsNaturalRCWA_Z|IsNaturalRCWA_Z_pi|IsNaturalRCWA_ZxZ|IsNaturalRcwa|IsNaturalRcwaRepresentationOfGLOrSL|IsNaturalSL|IsNaturalSLnZ|IsNaturalSymmetricGroup|IsNearAdditiveElement|IsNearAdditiveElementCollColl|IsNearAdditiveElementCollCollColl|IsNearAdditiveElementCollection|IsNearAdditiveElementList|IsNearAdditiveElementTable|IsNearAdditiveElementWithInverse|IsNearAdditiveElementWithInverseCollColl|IsNearAdditiveElementWithInverseCollCollColl|IsNearAdditiveElementWithInverseCollection|IsNearAdditiveElementWithInverseList|IsNearAdditiveElementWithInverseTable|IsNearAdditiveElementWithZero|IsNearAdditiveElementWithZeroCollColl|IsNearAdditiveElementWithZeroCollCollColl|IsNearAdditiveElementWithZeroCollection|IsNearAdditiveElementWithZeroList|IsNearAdditiveElementWithZeroTable|IsNearAdditiveGroup|IsNearAdditiveMagma|IsNearAdditiveMagmaWithInverses|IsNearAdditiveMagmaWithZero|IsNearField|IsNearRing|IsNearRingElement|IsNearRingElementCollColl|IsNearRingElementCollCollColl|IsNearRingElementCollection|IsNearRingElementFamily|IsNearRingElementList|IsNearRingElementTable|IsNearRingElementWithInverse|IsNearRingElementWithInverseCollColl|IsNearRingElementWithInverseCollCollColl|IsNearRingElementWithInverseCollection|IsNearRingElementWithInverseList|IsNearRingElementWithInverseTable|IsNearRingElementWithOne|IsNearRingElementWithOneCollColl|IsNearRingElementWithOneCollCollColl|IsNearRingElementWithOneCollection|IsNearRingElementWithOneList|IsNearRingElementWithOneTable|IsNearRingIdeal|IsNearRingIdealEnumerator|IsNearRingLeftIdeal|IsNearRingMultiplication|IsNearRingRightIdeal|IsNearRingUnit|IsNearRingWithOne|IsNearlyCharacterTable|IsNearlyGorenstein|IsNegInfinity|IsNegInt|IsNegRat|IsNegativeRepeating|IsNeuralNetwork|IsNeuralNetworkObj|IsNeuralNetworkObjCollection|IsNeuralNetworkRep|IsNewIndecomposable|IsNewIndecomposableOp|IsNiceMonomorphism|IsNilElement|IsNilNearRing|IsNilpQuotientSystem|IsNilpotent|IsNilpotent2DimensionalGroup|IsNilpotentAlgebra|IsNilpotentBasis|IsNilpotentByFinite|IsNilpotentCharacterTable|IsNilpotentElement|IsNilpotentFreeNearRing|IsNilpotentGroup|IsNilpotentLieAutomorphism|IsNilpotentLieAutomorphismRep|IsNilpotentMatGroup|IsNilpotentMatGroupFF|IsNilpotentMatGroupRN|IsNilpotentNearRing|IsNilpotentOrbit|IsNilpotentOrbitCollection|IsNilpotentOrbitFamily|IsNilpotentSemigroup|IsNilpotentTom|IsNoImmediateMethodsObject|IsNoetherian|IsNoetherianQuotient|IsNonAtomicComponentObjectRep|IsNonAtomicComponentObjectRepFlags|IsNonDegenerate|IsNonDeterministicAutomaton|IsNonGaussianMatrixSpace|IsNonGaussianRowSpace|IsNonSPGeneral2DimensionalMapping|IsNonSPGeneral3DimensionalMapping|IsNonSPGeneralHigherDimensionalMapping|IsNonSPGeneralMapping|IsNonSPGeneralMappingWithObjects|IsNonSPMappingByFunctionRep|IsNonSPMappingByFunctionWithInverseRep|IsNonTrivial|IsNonZeroRing|IsNonabelianSimpleGroup|IsNonassocWord|IsNonassocWordCollection|IsNonassocWordFamily|IsNonassocWordWithOne|IsNonassocWordWithOneCollection|IsNonassocWordWithOneFamily|IsNoncommutativeMonomialOrdering|IsNoncommutativeMonomialOrderingDefaultRep|IsNoncontracting|IsNonnegativeIntegers|IsNontrivialDirectProduct|IsNormal|IsNormalBasis|IsNormalCode|IsNormalForm|IsNormalInParent|IsNormalInverseSubsemigroup|IsNormalOp|IsNormalProductClosed|IsNormalSub2DimensionalDomain|IsNormalSub3DimensionalGroup|IsNormalSubgroup2DimensionalGroup|IsNormalSubgroupClosed|IsNormalSubgroupoid|IsNormalizCone|IsNormalizedUnitGroupOfGroupRing|IsNormallyMonomial|IsNotElmsColls|IsNotIdenticalObj|IsNthSyzygy|IsNuclearSquareLoop|IsNullDigraph|IsNullGraph|IsNullMapMatrix|IsNumberField|IsNumberFieldByMatrices|IsNumeratorParentForExponentsRep|IsNumeratorParentLayersForExponentsRep|IsNumeratorParentPcgsFamilyPcgs|IsNumerical|IsNumericalSemigroup|IsNumericalSemigroupAssociatedIrreduciblePlanarCurveSingularity|IsNumericalSemigroupByAperyList|IsNumericalSemigroupByFundamentalGaps|IsNumericalSemigroupByGaps|IsNumericalSemigroupByGenerators|IsNumericalSemigroupByInterval|IsNumericalSemigroupByOpenInterval|IsNumericalSemigroupBySmallElements|IsNumericalSemigroupBySubAdditiveFunction|IsNumericalSemigroupPolynomial|IsNumericalSemigroupRep|IsOMPlainString|IsOMPlainStringRep|IsObjMap|IsObjSet|IsObjToBePrinted|IsObjWithMemory|IsObjWithMemoryRankFilter|IsObject|IsObviouslyFiniteState|IsOddAdditiveNestingDepthFamily|IsOddAdditiveNestingDepthObject|IsOddInt|IsOfAbelianType|IsOfNilpotentType|IsOfPolynomialGrowth|IsOfSubexponentialGrowth|IsOmegaPeriodic|IsOne|IsOneContr|IsOneProjective|IsOneToOne|IsOneWordContr|IsOneWordSelfSim|IsOnto|IsOntoBooleanMat|IsOpenMathBinaryWriter|IsOpenMathWriter|IsOpenMathWriterRep|IsOpenMathXMLWriter|IsOperation|IsOperationAlgebraHomomorphismDefaultRep|IsOperationWeightList|IsOperationWeightListRep|IsOppositeAlgebra|IsOppositeAlgebraElement|IsOppositeAlgebraElementCollection|IsOppositeAlgebraElementFamily|IsOrbifoldTriangulation|IsOrbifoldTriangulationRep|IsOrbit|IsOrbitBySuborbit|IsOrbitBySuborbitList|IsOrbitBySuborbitSetup|IsOrbitWithLog|IsOrderedSetDS|IsOrdering|IsOrderingOnFamilyOfAssocWords|IsOrdinary|IsOrdinaryFormation|IsOrdinaryMatrix|IsOrdinaryMatrixCollection|IsOrdinaryNumericalSemigroup|IsOrdinaryTable|IsOreDomain|IsOrientedMatGroup|IsOrthodoxSemigroup|IsOrthogonalForm|IsOrthogonalMatrix|IsOrthogonalPolarityOfProjectiveSpace|IsOrthonormalSet|IsOsbornLoop|IsOutRegularDigraph|IsOuterPlanarDigraph|IsOutputStream|IsOutputTextFileRep|IsOutputTextNone|IsOutputTextNoneRep|IsOutputTextStream|IsOutputTextStringRep|IsOverlappingFree|IsPBR|IsPBRCollColl|IsPBRCollection|IsPBRMonoid|IsPBRSemigroup|IsPDivRat|IsPDivisiblePPP|IsPGAutomorphism|IsPGAutomorphismRep|IsPGroup|IsPInfinity|IsPMNearRing|IsPModularGroupAlgebra|IsPNilpotent|IsPNilpotentOp|IsPNormal|IsPPPPcpGroups|IsPPPPcpGroupsElement|IsPPPPcpGroupsElementCollection|IsPPPPcpGroupsElementFamily|IsPPPPcpGroupsElementRep|IsPPPPcpGroupsRep|IsPPerm2Rep|IsPPerm4Rep|IsPPowerInt|IsPQuotientSystem|IsPSL|IsPSNTGroup|IsPSTGroup|IsPSoluble|IsPSolubleCharacterTable|IsPSolubleCharacterTableOp|IsPSolvable|IsPSolvableCharacterTable|IsPSolvableCharacterTableOp|IsPSolvableOp|IsPSupersoluble|IsPSupersolubleOp|IsPSupersolvable|IsPSupersolvableOp|IsPTGroup|IsPackageLoaded|IsPackageMarkedForLoading|IsPackedElementDefaultRep|IsPadicExtensionNumber|IsPadicExtensionNumberFamily|IsPadicNumber|IsPadicNumberCollColl|IsPadicNumberCollection|IsPadicNumberFamily|IsPadicNumberList|IsPadicNumberTable|IsPairOfDicksonNumbers|IsPairingHeapFlatRep|IsParabolicForm|IsParabolicQuadric|IsParallel|IsParallelClassOfAffineSpace|IsParallelClassOfAffineSpaceRep|IsParentLiePRing|IsParentPcgsFamilyPcgs|IsPartialDiffset|IsPartialOrderBinaryRelation|IsPartialOrderBooleanMat|IsPartialOrderDigraph|IsPartialPerm|IsPartialPermBipartition|IsPartialPermBipartitionMonoid|IsPartialPermBipartitionSemigroup|IsPartialPermCollColl|IsPartialPermCollection|IsPartialPermMonoid|IsPartialPermPBR|IsPartialPermSemigroup|IsPartition|IsPartitionDS|IsPartitionDSRep|IsPath|IsPathAlgebra|IsPathAlgebraMatModule|IsPathAlgebraMatModuleHomomorphism|IsPathAlgebraMatModuleHomomorphismCollection|IsPathAlgebraMatModuleHomomorphismFamily|IsPathAlgebraMatModuleHomomorphismRep|IsPathAlgebraModule|IsPathAlgebraModuleGroebnerBasis|IsPathAlgebraModuleGroebnerBasisDefaultRep|IsPathAlgebraVector|IsPathAlgebraVectorCollection|IsPathAlgebraVectorDefaultRep|IsPathAlgebraVectorFamily|IsPathFamily|IsPathModuleElem|IsPathModuleElemCollection|IsPathModuleElemFamily|IsPathRing|IsPc2DimensionalGroup|IsPc3DimensionalGroup|IsPcCat1Group|IsPcGroup|IsPcGroupGeneralMappingByImages|IsPcGroupHomomorphismByImages|IsPcGroupoid|IsPcHigherDimensionalGroup|IsPcPreCat1Group|IsPcPreXMod|IsPcPreXModWithObjects|IsPcXMod|IsPcgs|IsPcgsAutomorphisms|IsPcgsByPcgsRep|IsPcgsCentralSeries|IsPcgsChiefSeries|IsPcgsDefaultRep|IsPcgsDirectProductRep|IsPcgsElementaryAbelianSeries|IsPcgsFamily|IsPcgsMatGroupByStabChainRep|IsPcgsPCentralSeriesPGroup|IsPcgsPermGroupRep|IsPcgsResidueMatGroupRep|IsPcgsToPcgsGeneralMappingByImages|IsPcgsToPcgsHomomorphism|IsPcp|IsPcpElement|IsPcpElementCollection|IsPcpElementFamily|IsPcpElementRep|IsPcpGroup|IsPcpNormalFormObj|IsPcpRep|IsPerfect|IsPerfectCharacterTable|IsPerfectCode|IsPerfectGroup|IsPerfectLibraryGroup|IsPerfectMatching|IsPerfectTom|IsPeriodic|IsPeriodicList|IsPerm|IsPerm2DimensionalGroup|IsPerm2Rep|IsPerm3DimensionalGroup|IsPerm4Rep|IsPermBipartition|IsPermBipartitionGroup|IsPermCat1Group|IsPermCollColl|IsPermCollection|IsPermGroup|IsPermGroupGeneralMapping|IsPermGroupGeneralMappingByImages|IsPermGroupHomomorphism|IsPermGroupHomomorphismByImages|IsPermGroupoid|IsPermHigherDimensionalGroup|IsPermOnEnumerator|IsPermOnIntOrbitRep|IsPermPBR|IsPermPreCat1Group|IsPermPreCat1GroupMorphism|IsPermPreXMod|IsPermPreXModMorphism|IsPermPreXModWithObjects|IsPermXMod|IsPermutable|IsPermutableInParent|IsPermutableOp|IsPermutationAutomaton|IsPermutationMatrix|IsPiecesRep|IsPlanarDigraph|IsPlanarNearRing|IsPlistDequeRep|IsPlistMatrixOverFiniteFieldRep|IsPlistMatrixOverSemiringPositionalRep|IsPlistMatrixRep|IsPlistRep|IsPlistRowBasisOverFiniteFieldRep|IsPlistVectorRep|IsPlusDecomposable|IsPointGroup|IsPointHomomorphism|IsPointIncidentBlock|IsPointsOfAlgebraicVariety|IsPointsOfAlgebraicVarietyRep|IsPointsOfGrassmannVariety|IsPointsOfGrassmannVarietyRep|IsPointsOfSegreVariety|IsPointsOfSegreVarietyRep|IsPointsOfVeroneseVariety|IsPointsOfVeroneseVarietyRep|IsPolarityOfProjectiveSpace|IsPolarityOfProjectiveSpaceRep|IsPolyInfiniteCyclicGroup|IsPolycyclicCollector|IsPolycyclicGroup|IsPolycyclicMatGroup|IsPolycyclicPresentation|IsPolymakeObject|IsPolymakeObjectRep|IsPolynomial|IsPolynomialCollector|IsPolynomialDefaultRep|IsPolynomialFunction|IsPolynomialFunctionCollection|IsPolynomialFunctionsFamily|IsPolynomialFunctionsFamilyElement|IsPolynomialGrowthFRElement|IsPolynomialGrowthFRMachine|IsPolynomialGrowthFRSemigroup|IsPolynomialModuloSomePower|IsPolynomialModuloSomePowerRep|IsPolynomialNearRing|IsPolynomialRing|IsPolynomialRingDefaultGeneratorMapping|IsPolynomialRingIdeal|IsPosInt|IsPosRat|IsPosSqrtFieldElt|IsPoset|IsPosetAlgebra|IsPosetRep|IsPositionDictionary|IsPositionLookupDictionary|IsPositionalObjectOneSlotRep|IsPositionalObjectRep|IsPositionsList|IsPositiveIntegers|IsPositiveRepeating|IsPossibleGraphAut|IsPossiblyBIBD|IsPossiblySBIBD|IsPowerAlternative|IsPowerAssociative|IsPowerCommutatorCollector|IsPowerConjugateCollector|IsPowerOfClassShift|IsPowerOfGenerator|IsPowerOfPrime|IsPowerfulPGroup|IsPpdElement|IsPpdElementD2|IsPqIsomorphicPGroup|IsPqProcessAlive|IsPreAbelianCategory|IsPreCat1Algebra|IsPreCat1AlgebraMorphism|IsPreCat1AlgebraObj|IsPreCat1Domain|IsPreCat1Group|IsPreCat1GroupMorphism|IsPreCat1GroupWithIdentityEmbedding|IsPreCat1Groupoid|IsPreCat1Obj|IsPreCat1QuasiIsomorphism|IsPreCat2Group|IsPreCat2GroupMorphism|IsPreCat2GroupObj|IsPreCat3Group|IsPreCat3GroupObj|IsPreCatnGroup|IsPreCatnGroupMorphism|IsPreCatnGroupWithIdentityEmbeddings|IsPreCatnObj|IsPreCrossedSquare|IsPreCrossedSquareMorphism|IsPreCrossedSquareObj|IsPreHomalgRing|IsPreOrderBinaryRelation|IsPreXMod|IsPreXModAlgebra|IsPreXModAlgebraMorphism|IsPreXModAlgebraObj|IsPreXModDomain|IsPreXModMorphism|IsPreXModObj|IsPreXModWithObjects|IsPreXModWithObjectsObj|IsPrefixOfTipInTipIdeal|IsPregroup|IsPregroupLocation|IsPregroupLocationRep|IsPregroupOfFreeGroupRep|IsPregroupOfFreeProductRep|IsPregroupPlace|IsPregroupPlaceRep|IsPregroupPresentation|IsPregroupPresentationRep|IsPregroupRelator|IsPregroupRelatorFamily|IsPregroupRelatorRep|IsPregroupRelatorType|IsPregroupTableRep|IsPregroupWord|IsPregroupWordListRep|IsPreimagesByAsGroupGeneralMappingByImages|IsPreorderDigraph|IsPresentation|IsPresentationDefaultRep|IsPrimGrpIterRep|IsPrime|IsPrimeBrace|IsPrimeField|IsPrimeIdeal|IsPrimeInt|IsPrimeModule|IsPrimeNearRing|IsPrimeNearRingIdeal|IsPrimeOrdersPcgs|IsPrimePowerInt|IsPrimeSwitch|IsPrimitive|IsPrimitiveAffine|IsPrimitiveCharacter|IsPrimitiveElementOfNumberField|IsPrimitiveMatrixGroup|IsPrimitiveMatrixGroupOp|IsPrimitivePolynomial|IsPrimitivePrimeDivisor|IsPrimitiveRootMod|IsPrimitiveSRGParameters|IsPrimitiveSoluble|IsPrimitiveSolubleGroup|IsPrimitiveSolvable|IsPrimitiveSolvableGroup|IsPrincipalCongruenceSubgroup|IsPrincipalIdealRing|IsProbablyPrimeInt|IsProcess|IsProcessCollection|IsProcessRepresentation|IsProcessedEntry|IsProductReplacer|IsProjGroupWithFrobWithPSIsom|IsProjGrpEl|IsProjGrpElCollection|IsProjGrpElRep|IsProjGrpElWithFrob|IsProjGrpElWithFrobCollection|IsProjGrpElWithFrobRep|IsProjGrpElWithFrobWithPSIsom|IsProjGrpElWithFrobWithPSIsomCollection|IsProjGrpElWithFrobWithPSIsomRep|IsProjectionDirectProductMatrixGroup|IsProjectionDirectProductPermGroup|IsProjectionSubdirectProductPermGroup|IsProjectionSubdirectProductWithEmbeddingsPermGroup|IsProjective|IsProjectiveActionHomomorphism|IsProjectiveByCheckingForASplit|IsProjectiveByCheckingIfExt1WithValuesInFirstSyzygiesModuleIsZero|IsProjectiveComplex|IsProjectiveGroupWithFrob|IsProjectiveMaxPlusMatrix|IsProjectiveMaxPlusMatrixCollColl|IsProjectiveMaxPlusMatrixCollection|IsProjectiveMaxPlusMatrixMonoid|IsProjectiveMaxPlusMatrixSemigroup|IsProjectiveModule|IsProjectiveOfConstantRank|IsProjectiveOfConstantRankByCheckingFittingsCondition|IsProjectivePlane|IsProjectivePlaneCategory|IsProjectivePresentation|IsProjectivePresentationDefaultRep|IsProjectiveRepresentation|IsProjectiveResolutionFpPathAlgebraModule|IsProjectiveResolutionFpPathAlgebraModuleDefaultRep|IsProjectiveSpace|IsProjectiveSpaceIsomorphism|IsProjectiveSpaceRep|IsProjectiveVariety|IsProjectiveVarietyRep|IsProjectivity|IsProjectivityGroup|IsProperty|IsProportionallyModularNumericalSemigroup|IsProved|IsPseudoCanonicalBasisFullHomModule|IsPseudoDoubleShiftAlgebra|IsPseudoForm|IsPseudoList|IsPseudoListRep|IsPseudoListWithFunction|IsPseudoPolarityOfProjectiveSpace|IsPseudoSymmetric|IsPseudoSymmetricNumericalSemigroup|IsPure|IsPureComplex|IsPureNumericalSemigroup|IsPurePadicNumber|IsPurePadicNumberFamily|IsPureRegularCWComplex|IsPurityFiltration|IsQEAElement|IsQEAElementCollection|IsQEAElementFamily|IsQEATensorPowElement|IsQEATensorPowElementCollection|IsQEATensorPowElementFamily|IsQLCycleSet|IsQLCycleSetImplemented|IsQPAComplex|IsQPAComplexDefaultRep|IsQPAComplexFamily|IsQUEAAntiAutomorphism|IsQUEAAutomorphism|IsQUEAHomomorphism|IsQUEAtoUEAmap|IsQuadraticForm|IsQuadraticFormCollection|IsQuadraticIdeal|IsQuadraticNumberField|IsQuadraticVariety|IsQuadraticVarietyRep|IsQuandle|IsQuandleEnvelope|IsQuantumField|IsQuantumUEA|IsQuasiDihedralGroup|IsQuasiIsomorphism|IsQuasiPrimitive|IsQuasiSimple|IsQuasiSimpleGroup|IsQuasigroup|IsQuasigroupCayleyTable|IsQuasigroupElement|IsQuasigroupElmRep|IsQuasigroupTable|IsQuasiorderDigraph|IsQuasiregularNearRing|IsQuasisimple|IsQuasisimpleCharacterTable|IsQuasisimpleGroup|IsQuaternion|IsQuaternionCollColl|IsQuaternionCollection|IsQuaternionGroup|IsQueue|IsQuickPositionList|IsQuiver|IsQuiverAlgebra|IsQuiverEnumerator|IsQuiverIteratorRep|IsQuiverOrdering|IsQuiverProductDecomposition|IsQuiverProductDecompositionRep|IsQuiverRep|IsQuiverSA|IsQuiverStaticDictionary|IsQuiverStaticDictionaryDefaultRep|IsQuiverVertex|IsQuiverVertexRep|IsQuotient|IsQuotientClosed|IsQuotientOfPathAlgebra|IsQuotientSemigroup|IsQuotientSystem|IsRCCLoop|IsRCLoop|IsRDistributive|IsRG|IsRKernelBiggerOfCombSum|IsRLetter|IsRMSCongruenceByLinkedTriple|IsRMSCongruenceClassByLinkedTriple|IsRMSIsoByTriple|IsRStarClass|IsRStarRelation|IsRTrivial|IsRZMSCongruenceByLinkedTriple|IsRZMSCongruenceClassByLinkedTriple|IsRZMSIsoByTriple|IsRack|IsRackElm|IsRackElmRep|IsRadicalSquareZeroAlgebra|IsRandomSearcher|IsRandomSource|IsRange|IsRangeRep|IsRank2Residue|IsRank2ResidueCollection|IsRank2ResidueRep|IsRankEncoding|IsRat|IsRatExpOnnLettersObj|IsRatExpOnnLettersObjCollection|IsRationalClassGroupRep|IsRationalClassPermGroupRep|IsRationalDoubleShiftAlgebra|IsRationalExpression|IsRationalExpressionRep|IsRationalFunction|IsRationalFunctionCollection|IsRationalFunctionDefaultRep|IsRationalFunctionOverField|IsRationalFunctionsFamily|IsRationalFunctionsFamilyElement|IsRationalMatrixGroup|IsRationalPseudoDoubleShiftAlgebra|IsRationalQuaternionAlgebraADivisionRing|IsRationals|IsRationalsForHomalg|IsRationalsPolynomialRing|IsRcwaGroup|IsRcwaGroupOrbit|IsRcwaGroupOrbitInStandardRep|IsRcwaGroupOrbitStandardRep|IsRcwaGroupOrbitsIteratorRep|IsRcwaGroupOverGFqx|IsRcwaGroupOverZ|IsRcwaGroupOverZOrZ_pi|IsRcwaGroupOverZ_pi|IsRcwaGroupOverZxZ|IsRcwaGroupsIteratorRep|IsRcwaMapping|IsRcwaMappingInSparseRep|IsRcwaMappingInStandardRep|IsRcwaMappingOfGFqx|IsRcwaMappingOfGFqxInSparseRep|IsRcwaMappingOfGFqxInStandardRep|IsRcwaMappingOfZ|IsRcwaMappingOfZCollection|IsRcwaMappingOfZInSparseRep|IsRcwaMappingOfZInStandardRep|IsRcwaMappingOfZOrZ_pi|IsRcwaMappingOfZOrZ_piInSparseRep|IsRcwaMappingOfZOrZ_piInStandardRep|IsRcwaMappingOfZ_pi|IsRcwaMappingOfZ_piInSparseRep|IsRcwaMappingOfZ_piInStandardRep|IsRcwaMappingOfZxZ|IsRcwaMappingOfZxZInSparseRep|IsRcwaMappingOfZxZInStandardRep|IsRcwaMappingSparseRep|IsRcwaMappingStandardRep|IsRcwaMonoid|IsRcwaMonoidOverGFqx|IsRcwaMonoidOverZ|IsRcwaMonoidOverZOrZ_pi|IsRcwaMonoidOverZ_pi|IsRcwaMonoidOverZxZ|IsReachable|IsReadOnlyGVar|IsReadOnlyGlobal|IsReadOnlyObj|IsReadOnlyPositionalObjectRep|IsReadOnlyPositionalObjectRepFlags|IsReadableFile|IsReady|IsRealFloat|IsRealFormOfInnerType|IsRealRandomSource|IsRealification|IsRecogInfoForAlmostSimpleGroup|IsRecogInfoForSimpleGroup|IsRecognitionInfo|IsRecognizedByAutomaton|IsRecord|IsRecordCollColl|IsRecordCollection|IsRectangularBand|IsRectangularGroup|IsRectangularTable|IsRectangularTablePlist|IsRecurrentFRSemigroup|IsReduced|IsReducedBasisOfColumnsMatrix|IsReducedBasisOfRowsMatrix|IsReducedConfluentRewritingSystem|IsReducedCosetRepresentative|IsReducedForm|IsReducedGraphOfGroupoidsWord|IsReducedGraphOfGroupsWord|IsReducedModuloRingRelations|IsReducedSetOfFAE|IsReducedWord|IsReducedWordCosetsRWS|IsReducedWordIteratorRep|IsReducedWordRWS|IsReducibleRepresentation|IsReductionOrdering|IsReesCongruence|IsReesCongruenceClass|IsReesCongruenceSemigroup|IsReesMatrixSemigroup|IsReesMatrixSemigroupElement|IsReesMatrixSemigroupElementCollection|IsReesMatrixSubsemigroup|IsReesZeroMatrixSemigroup|IsReesZeroMatrixSemigroupElement|IsReesZeroMatrixSemigroupElementCollection|IsReesZeroMatrixSubsemigroup|IsReflexive|IsReflexiveBinaryRelation|IsReflexiveBooleanMat|IsReflexiveDigraph|IsReflexiveForm|IsRegular|IsRegularActingRepGreensClass|IsRegularActingSemigroupRep|IsRegularDClass|IsRegularDerivation|IsRegularDigraph|IsRegularGraph|IsRegularGreensClass|IsRegularIdealData|IsRegularNearRing|IsRegularSemigroup|IsRegularSemigroupElement|IsRegularSemigroupElementNC|IsRegularSequence|IsRegularSet|IsRegularStarSemigroup|IsRelation|IsRelationsOfFinitelyPresentedModuleRep|IsRelativeBasisDefaultRep|IsRelativelySM|IsRemoteObject|IsRemoteObjectRep|IsRepeating|IsRepresentation|IsResiduallyClosed|IsResiduallyConnected|IsResiduallyFinite|IsResidueClass|IsResidueClassOfGFqx|IsResidueClassOfZ|IsResidueClassOfZ_pi|IsResidueClassOfZorZ_pi|IsResidueClassOfZxZ|IsResidueClassRingOfTheIntegers|IsResidueClassUnion|IsResidueClassUnionClassListRep|IsResidueClassUnionInClassListRep|IsResidueClassUnionInResidueListRep|IsResidueClassUnionOfGFqx|IsResidueClassUnionOfZ|IsResidueClassUnionOfZInClassListRep|IsResidueClassUnionOfZ_pi|IsResidueClassUnionOfZorZ_pi|IsResidueClassUnionOfZxZ|IsResidueClassUnionResidueListRep|IsResidueClassUnionsIteratorRep|IsResidueClassWithFixedRep|IsResidueClassWithFixedRepresentative|IsRestrictedEndomorphismNearRing|IsRestrictedJacobianElement|IsRestrictedJacobianElementCollColl|IsRestrictedJacobianElementCollection|IsRestrictedLieAlgebra|IsRestrictedLieObject|IsRestrictedLieObjectCollection|IsRetractable|IsReverseOrdering|IsReversible|IsReversibleAutomaton|IsRewritingSystem|IsRhoOrb|IsRightALoop|IsRightActedOnByDivisionRing|IsRightActedOnByRing|IsRightActedOnBySuperset|IsRightAcyclic|IsRightAlgebraModule|IsRightAlgebraModuleElement|IsRightAlgebraModuleElementCollection|IsRightAlternative|IsRightArtinian|IsRightAutomorphicLoop|IsRightBisetBasis|IsRightBolLoop|IsRightBruckLoop|IsRightCongruenceCategory|IsRightCongruenceClass|IsRightConjugacyClosedLoop|IsRightCoset|IsRightCosetDefaultRep|IsRightDistributive|IsRightExactFunctor|IsRightFiniteFreePresentationRing|IsRightFree|IsRightGlobalDimensionFinite|IsRightGroebnerBasis|IsRightHereditary|IsRightHermite|IsRightIdeal|IsRightIdealFromGenerators|IsRightIdealInParent|IsRightIdealOp|IsRightInvertibleMatrix|IsRightKLoop|IsRightLexicographicOrdering|IsRightMagmaCongruence|IsRightMagmaIdeal|IsRightMinimal|IsRightModule|IsRightNilpotent|IsRightNoetherian|IsRightNonDegenerate|IsRightNuclearSquareLoop|IsRightOperatorAdditiveGroup|IsRightOreDomain|IsRightPathAlgebraModuleGroebnerBasis|IsRightPowerAlternative|IsRightPresentation|IsRightPresentationMorphism|IsRightPrincipalIdealRing|IsRightRegular|IsRightSemigroupCongruence|IsRightSemigroupIdeal|IsRightSimple|IsRightTransitive|IsRightTransversal|IsRightTransversalCollection|IsRightTransversalFpGroupRep|IsRightTransversalPcGroupRep|IsRightTransversalPermGroupRep|IsRightTransversalRep|IsRightTransversalViaCosetsRep|IsRightUniform|IsRightVectorOrdering|IsRightZeroSemigroup|IsRigid|IsRigidModule|IsRigidOnRight|IsRigidSymmetricClosedMonoidalCategory|IsRigidSymmetricCoclosedMonoidalCategory|IsRing|IsRingCollsMagmaRingColls|IsRingElement|IsRingElementCollColl|IsRingElementCollCollColl|IsRingElementCollection|IsRingElementFamily|IsRingElementList|IsRingElementTable|IsRingElementWithInverse|IsRingElementWithInverseCollColl|IsRingElementWithInverseCollCollColl|IsRingElementWithInverseCollection|IsRingElementWithInverseList|IsRingElementWithInverseTable|IsRingElementWithOne|IsRingElementWithOneCollColl|IsRingElementWithOneCollCollColl|IsRingElementWithOneCollection|IsRingElementWithOneList|IsRingElementWithOneTable|IsRingGeneralMapping|IsRingGeneralMappingByImagesDefaultRep|IsRingHomomorphism|IsRingOfIntegralCyclotomics|IsRingOfQuadraticIntegers|IsRingRelationsRep|IsRingWithOne|IsRingWithOneGeneralMapping|IsRingWithOneHomomorphism|IsRingsMagmaRings|IsRootElement|IsRootOfUnity|IsRootSystem|IsRootSystemFromLieAlgebra|IsRowBasisOverFiniteField|IsRowBasisOverFiniteFieldCollection|IsRowListMatrix|IsRowModule|IsRowOfSparseMatrix|IsRowSpace|IsRowTrimBooleanMat|IsRowVector|IsRowVectorObj|IsSCAlgebraObj|IsSCAlgebraObjCollColl|IsSCAlgebraObjCollCollColl|IsSCAlgebraObjCollection|IsSCAlgebraObjFamily|IsSCAlgebraObjSpace|IsSCGroup|IsSCRingGeneralMappingByImagesDefaultRep|IsSCRingObj|IsSCRingObjCollColl|IsSCRingObjCollCollColl|IsSCRingObjCollection|IsSCRingObjFamily|IsSCSCPconnection|IsSCSCPconnectionCollection|IsSCSCPconnectionRep|IsSHA256State|IsSL|IsSLA|IsSNFPcp|IsSNPermutable|IsSNPermutableInParent|IsSNPermutableOp|IsSPGeneral2DimensionalMapping|IsSPGeneral3DimensionalMapping|IsSPGeneralHigherDimensionalMapping|IsSPGeneralMapping|IsSPGeneralMappingWithObjects|IsSPMappingByFunctionRep|IsSPMappingByFunctionWithInverseRep|IsSPermutable|IsSPermutableInParent|IsSPermutableOp|IsSQUniversal|IsSRG|IsSRGAvailable|IsSSSDataBase|IsSSSE|IsSSSECollection|IsSSSERep|IsSSortedList|IsSatakeDiagramOfRealForm|IsSaturated|IsSaturatedFittingFormation|IsSaturatedFormation|IsSaturatedNumericalSemigroup|IsScalar|IsScalarCollColl|IsScalarCollection|IsScalarList|IsScalarMatrix|IsScalarTable|IsSchunckClass|IsSchur|IsSchurModule|IsSchurPIM|IsSchurSimple|IsSchurWeyl|IsSchurianAlgebra|IsSearchTable|IsSection|IsSegreMap|IsSegreMapRep|IsSegreVariety|IsSegreVarietyRep|IsSelfComplementaryCode|IsSelfDualCode|IsSelfDualSemigroup|IsSelfOrthogonalCode|IsSelfReciprocalUnivariatePolynomial|IsSelfSim|IsSelfSimCollection|IsSelfSimFamily|IsSelfSimFamilyRep|IsSelfSimGroup|IsSelfSimRep|IsSelfSimSemigroup|IsSelfSimilar|IsSelfSimilarGroup|IsSelfSimilarSemigroup|IsSelfinjectiveAlgebra|IsSemiEchelonBase|IsSemiEchelonBasisOfGaussianMatrixSpaceRep|IsSemiEchelonBasisOfGaussianRowSpaceRep|IsSemiEchelonized|IsSemiLocalRing|IsSemiRegular|IsSemiSimpleRing|IsSemiStandardTableau|IsSemiband|IsSemicommutativeAlgebra|IsSemigroup|IsSemigroupCongruence|IsSemigroupData|IsSemigroupEnumerator|IsSemigroupFRElement|IsSemigroupFRMachine|IsSemigroupFRMealyElement|IsSemigroupGeneralMapping|IsSemigroupGeneralMappingRep|IsSemigroupHomomorphism|IsSemigroupHomomorphismByImagesRep|IsSemigroupIdeal|IsSemigroupIdealData|IsSemigroupOfSelfSimFamily|IsSemigroupWOPiecesType|IsSemigroupWithAdjoinedZero|IsSemigroupWithClosedIdempotents|IsSemigroupWithCommutingIdempotents|IsSemigroupWithObjects|IsSemigroupWithObjectsFamily|IsSemigroupWithObjectsHomomorphism|IsSemigroupWithObjectsType|IsSemigroupWithZero|IsSemigroupWithoutClosedIdempotents|IsSemilattice|IsSemiprime|IsSemiprimeIdeal|IsSemiring|IsSemiringWithOne|IsSemiringWithOneAndZero|IsSemiringWithZero|IsSemisimpleANFGroupAlgebra|IsSemisimpleAlgebra|IsSemisimpleFiniteGroupAlgebra|IsSemisimpleModule|IsSemisimpleRationalGroupAlgebra|IsSemisimpleZeroCharacteristicGroupAlgebra|IsSemisymmetric|IsSentinel|IsSeparablePolynomial|IsSequence|IsSerreQuotientCategory|IsSerreQuotientCategoryByCospansMorphism|IsSerreQuotientCategoryByCospansObject|IsSerreQuotientCategoryBySpansMorphism|IsSerreQuotientCategoryBySpansObject|IsSerreQuotientCategoryByThreeArrowsMorphism|IsSerreQuotientCategoryByThreeArrowsObject|IsSerreQuotientCategoryMorphism|IsSerreQuotientCategoryObject|IsSerreQuotientSubcategoryFunctionHandler|IsSerreQuotientSubcategoryFunctionHandlerRep|IsSesquilinearForm|IsSesquilinearFormCollection|IsSet|IsSetOfDegreesOfGenerators|IsSetOfDegreesOfGeneratorsRep|IsSetsOfGenerators|IsSetsOfGeneratorsRep|IsSetsOfRelations|IsSetsOfRelationsRep|IsShadowElementsOfGeneralisedPolygon|IsShadowElementsOfGeneralisedPolygonRep|IsShadowElementsOfIncidenceGeometry|IsShadowElementsOfIncidenceStructure|IsShadowElementsOfLieGeometry|IsShadowElementsOfLieGeometryRep|IsShadowSubspacesOfAffineSpace|IsShadowSubspacesOfAffineSpaceRep|IsShadowSubspacesOfClassicalPolarSpace|IsShadowSubspacesOfClassicalPolarSpaceRep|IsShadowSubspacesOfProjectiveSpace|IsShadowSubspacesOfProjectiveSpaceRep|IsShared|IsShodaPair|IsShortExactSequence|IsShortLexLessThanOrEqual|IsShortLexOrdering|IsShowable|IsSignPreserving|IsSimple|IsSimpleAlgebra|IsSimpleBlockDesign|IsSimpleCharacterTable|IsSimpleConstraint|IsSimpleGraph|IsSimpleGroup|IsSimpleInvAutomatonRep|IsSimpleModule|IsSimpleModuleOp|IsSimpleNGroup|IsSimpleNearRing|IsSimplePerm|IsSimpleQPAModule|IsSimpleRing|IsSimpleSemigroup|IsSimpleSemigroupCongruence|IsSimpleSemigroupCongruenceClass|IsSimpleSkewbrace|IsSimplicialSet|IsSimplicialSetRep|IsSimplyConnected2DimensionalGroup|IsSingleCollectorRep|IsSinglePiece|IsSinglePieceDomain|IsSinglePieceGroupoidWithRays|IsSinglePieceRaysRep|IsSinglePieceRaysType|IsSingleValued|IsSinglyEvenCode|IsSingularForm|IsSingularInt|IsSingularPoly|IsSingularSemigroup|IsSingularSemigroupCopy|IsSingularVector|IsSkeletalCategory|IsSkewFieldFamily|IsSkewbrace|IsSkewbraceAutomorphism|IsSkewbraceElm|IsSkewbraceElmCollection|IsSkewbraceElmRep|IsSkewbraceHomomorphism|IsSkewbraceImplemented|IsSkipListRep|IsSlice|IsSliceRep|IsSlicedPerm|IsSlicedPermInv|IsSlowOrbitRep|IsSmallIntRep|IsSmallList|IsSmallSemigroup|IsSmallSemigroupElt|IsSolubleCharacterTable|IsSolubleGroup|IsSolubleTom|IsSolvable|IsSolvableCharacterTable|IsSolvableGroup|IsSolvablePolynomial|IsSolvableTom|IsSortDictionary|IsSortLookupDictionary|IsSortedList|IsSortedPcgsRep|IsSourceMorphism|IsSpaceGroup|IsSpaceOfElementsOfMagmaRing|IsSpaceOfQEAElements|IsSpaceOfRationalFunctions|IsSpaceOfUEAElements|IsSparseDiagonalMatrix|IsSparseHashRep|IsSparseIdentityMatrix|IsSparseMatrix|IsSparseMatrixGF2Rep|IsSparseMatrixRep|IsSparseRowSpaceElement|IsSparseRowSpaceElementCollection|IsSparseRowSpaceElementFamily|IsSparseVectorSpace|IsSparseZeroMatrix|IsSpecialBiserialAlgebra|IsSpecialBiserialQuiver|IsSpecialClosedSet|IsSpecialFunctor|IsSpecialLinearGroup|IsSpecialPcgs|IsSpecialSubidentityMatrix|IsSpecializationOfFilter|IsSpecializationOfFilterList|IsSpectralCosequenceOfFinitelyPresentedObjectsRep|IsSpectralSequenceOfFinitelyPresentedObjectsRep|IsSphericalCoxeterGroup|IsSphericallyTransitive|IsSpinSymTable|IsSplitEpimorphism|IsSplitMonomorphism|IsSplitShortExactSequence|IsSporadicSimple|IsSporadicSimpleCharacterTable|IsSporadicSimpleGroup|IsSptSetBarResMapDebugRep|IsSptSetBarResMapHapRep|IsSptSetBarResMapMineRep|IsSptSetCochainComplexRep|IsSptSetCoeffU1Rep|IsSptSetCoeffZnRep|IsSptSetFpZModuleRep|IsSptSetSpecSeqClassRep|IsSptSetSpecSeqCochainRep|IsSptSetSpecSeqRep|IsSptSetSpecSeqVanillaRep|IsSptSetZLMapRep|IsSptSetZLMapZeroRep|IsSqrtField|IsSqrtFieldElement|IsSqrtFieldElementCollColl|IsSqrtFieldElementCollection|IsSqrtFieldElementCollectionFamily|IsSqrtFieldElementFamily|IsSqrtFieldElementRep|IsSquareFFE|IsSquareFree|IsSquareFreeInt|IsSquareGF|IsSquareInt|IsSquareMat|IsSquareModP|IsStabilizerChain|IsStabilizerChainByOrb|IsStableSheet|IsStablyFree|IsStack|IsStackPlistRep|IsStandard2Cocycle|IsStandardAffineCrystGroup|IsStandardBasisOfLieRing|IsStandardDualityOfProjectiveSpace|IsStandardGeneratorsOfGroup|IsStandardHermitianVariety|IsStandardIterator|IsStandardNCocycle|IsStandardOrderedSetDS|IsStandardPolarSpace|IsStandardQuadraticVariety|IsStandardSpaceGroup|IsStandardTableau|IsStandardized|IsStarClass|IsStarClosed|IsStarRelation|IsStarSemigroup|IsStateClosed|IsStaticDictionary|IsStaticDictionaryDefaultRep|IsStaticFinitelyPresentedObjectOrSubobjectRep|IsStaticFinitelyPresentedObjectRep|IsStaticFinitelyPresentedSubobjectRep|IsStaticMorphismOfFinitelyGeneratedObjectsRep|IsStatisticsObject|IsStatisticsObjectForStreamsRep|IsStatisticsObjectRep|IsStdOrbitBySuborbitListRep|IsStdOrbitBySuborbitRep|IsStdOrbitBySuborbitSetupRep|IsStdSuborbitDbRep|IsSteinerLoop|IsSteinerQuasigroup|IsStemDomain|IsStoringValues|IsStraightLineDecision|IsStraightLineProgElm|IsStraightLineProgram|IsStratified|IsStream|IsStrictLowerTriangularMatrix|IsStrictMonoidalCategory|IsStrictUpperTriangularMatrix|IsStrictlySemilinear|IsString|IsStringAlgebra|IsStringMinHeap|IsStringMinHeapRep|IsStringRep|IsStrongGrobnerBasis|IsStrongLucasPseudoPrimeDP|IsStrongPseudoPrimeBaseA|IsStrongSemilatticeOfSemigroups|IsStrongShodaPair|IsStronglyAdmissiblePattern|IsStronglyConnectedDigraph|IsStronglyMonogenic|IsStronglyMonomial|IsStronglyNilpotent|IsStructureObject|IsStructureObjectMorphism|IsStructureObjectOrFinitelyPresentedObjectRep|IsStructureObjectOrObject|IsStructureObjectOrObjectOrMorphism|IsStructuredDigraph|IsStzPresentation|IsSub2DimensionalDomain|IsSub2DimensionalGroup|IsSub3DimensionalDomain|IsSubCC@RepnDecomp|IsSubCat1Algebra|IsSubCat1Group|IsSubCat2Group|IsSubCrossedSquare|IsSubEndoMapping|IsSubHigherDimensionalDomain|IsSubPerm|IsSubPreCat1Algebra|IsSubPreCat1Group|IsSubPreCat2Group|IsSubPreCrossedSquare|IsSubPreXMod|IsSubPreXModAlgebra|IsSubXMod|IsSubXModAlgebra|IsSubalgebraFpAlgebra|IsSubbasis|IsSubdigraph|IsSubdomainWithObjects|IsSubgroup|IsSubgroupClosed|IsSubgroupFgGroup|IsSubgroupFpGroup|IsSubgroupLpGroup|IsSubgroupNearRingLeftIdeal|IsSubgroupNearRingLeftIdealDefault|IsSubgroupNearRingRightIdeal|IsSubgroupNearRingRightIdealDefault|IsSubgroupOfWholeGroupByQuotientRep|IsSubgroupSL|IsSubgroupTransformationNearRingRightIdeal|IsSubgroupoid|IsSubidentityMatrix|IsSublattice|IsSublayersPcgsMatGroupRep|IsSubloop|IsSubmagmaWithObjectsGeneratingTable|IsSubmagmaWithObjectsTableRep|IsSubmonoidFpMonoid|IsSubnormal|IsSubnormallyMonomial|IsSubobject|IsSuborbitDatabase|IsSubquasigroup|IsSubrelation|IsSubringSCRing|IsSubsemigroup|IsSubsemigroupFpSemigroup|IsSubsemigroupOfNumericalSemigroup|IsSubset|IsSubsetBlist|IsSubsetInducedNumeratorModuloTailPcgsRep|IsSubsetInducedPcgsRep|IsSubsetLocallyFiniteGroup|IsSubsetSet|IsSubspace|IsSubspaceAffineSubspaceLattice|IsSubspaceOfAffineSpace|IsSubspaceOfAffineSpaceCollection|IsSubspaceOfClassicalPolarSpace|IsSubspaceOfProjectiveSpace|IsSubspaceOfProjectiveSpaceCollection|IsSubspacesFullRowSpaceDefaultRep|IsSubspacesOfAffineSpace|IsSubspacesOfAffineSpaceRep|IsSubspacesOfClassicalPolarSpace|IsSubspacesOfClassicalPolarSpaceRep|IsSubspacesOfProjectiveSpace|IsSubspacesOfProjectiveSpaceRep|IsSubspacesVectorSpace|IsSubspacesVectorSpaceDefaultRep|IsSuffixTree|IsSuffixTreeEdge|IsSuffixTreeElement|IsSuffixTreeNode|IsSuperCommutative|IsSuperSymmetricNumericalSemigroup|IsSuperperfect|IsSuperrelation|IsSupersolubleCharacterTable|IsSupersolvable|IsSupersolvableCharacterTable|IsSupersolvableGroup|IsSurjective|IsSurjectiveOnObjects|IsSurjectiveSemigroup|IsSyllableAssocWordRep|IsSyllableWordsFamily|IsSylowTowerGroup|IsSylowTowerGroupOfSomeComplexion|IsSymbolicElement|IsSymmetric|IsSymmetric2DimensionalGroup|IsSymmetric3DimensionalGroup|IsSymmetricAlgebra|IsSymmetricBinaryRelation|IsSymmetricBooleanMat|IsSymmetricClosedMonoidalCategory|IsSymmetricCoclosedMonoidalCategory|IsSymmetricDigraph|IsSymmetricFRElement|IsSymmetricForm|IsSymmetricGoodSemigroup|IsSymmetricGroup|IsSymmetricInverseMonoid|IsSymmetricInverseSemigroup|IsSymmetricMonoidalCategory|IsSymmetricNumericalSemigroup|IsSymmetricPower|IsSymmetricPowerElement|IsSymmetricPowerElementCollection|IsSymmorphicSpaceGroup|IsSymplecticForm|IsSymplecticMatrix|IsSymplecticPolarityOfProjectiveSpace|IsSymplecticSpace|IsSynchronizingSemigroup|IsSyntaxTree|IsTGapBind14Obj|IsTGroup|IsTHeapOT|IsTHeapOTEmpty|IsTHeapOTRep|IsTable|IsTableOfMarks|IsTableOfMarksWithGens|IsTableau|IsTailInducedPcgsRep|IsTailPcp|IsTame|IsTameNGroup|IsTauGroup|IsTauGroupImplemented|IsTauPeriodic|IsTauRigidModule|IsTelescopic|IsTelescopicNumericalSemigroup|IsTensorElement|IsTensorElementCollection|IsTensorProductKroneckerRep|IsTensorProductOfMatricesObj|IsTensorProductPairRep|IsTerminal|IsTerminalCategory|IsTerminalLiePRing|IsThickGeometry|IsThinGeometry|IsThresholdElement|IsThresholdElementObj|IsThresholdElementObjCollection|IsThresholdElementRep|IsTiltingModule|IsTipReducedGroebnerBasis|IsToBeDefinedObj|IsToDoList|IsToDoListEntry|IsToDoListEntryForEqualPropertiesRep|IsToDoListEntryForEquivalentPropertiesRep|IsToDoListEntryMadeFromOtherToDoListEntriesRep|IsToDoListEntryRep|IsToDoListEntryWhichLaunchesAFunctionRep|IsToDoListEntryWithContrapositionRep|IsToDoListEntryWithDefinedTargetRep|IsToDoListEntryWithListOfSourcesRep|IsToDoListEntryWithPointersRep|IsToDoListEntryWithSingleSourceRep|IsToDoListEntryWithWeakPointersRep|IsToDoListRep|IsToDoListWeakPointer|IsToDoListWeakPointerRep|IsToFpGroupGeneralMappingByImages|IsToFpGroupHomomorphismByImages|IsToPcGroupGeneralMappingByImages|IsToPcGroupHomomorphismByImages|IsToPcpGHBI|IsToPermGroupGeneralMappingByImages|IsToPermGroupHomomorphismByImages|IsTorsion|IsTorsionFree|IsTorsionFreeGroup|IsTorsionGroup|IsTotal|IsTotalBooleanMat|IsTotalOrdering|IsTotalSubset|IsTotallyIsotropicSubspace|IsTotallySingularSubspace|IsTotallySymmetric|IsTournament|IsTrans2Rep|IsTrans4Rep|IsTransBipartition|IsTransPermStab1|IsTransformation|IsTransformationBooleanMat|IsTransformationCollColl|IsTransformationCollection|IsTransformationMonoid|IsTransformationNearRing|IsTransformationNearRingEnumerator|IsTransformationNearRingRep|IsTransformationPBR|IsTransformationRepOfEndo|IsTransformationSemigroup|IsTransitionTensor|IsTransitive|IsTransitiveBinaryRelation|IsTransitiveBooleanMat|IsTransitiveDigraph|IsTransitiveOnLevel|IsTransitiveOnNonnegativeIntegersInSupport|IsTranslationInvariantOrdering|IsTranslationPlane|IsTransposedWRTTheAssociatedComplex|IsTree|IsTreeAutomorphism|IsTreeAutomorphismCollection|IsTreeAutomorphismFamily|IsTreeAutomorphismFamilyRep|IsTreeAutomorphismGroup|IsTreeAutomorphismRep|IsTreeForDocumentation|IsTreeForDocumentationChunkNodeRep|IsTreeForDocumentationExampleNodeRep|IsTreeForDocumentationNode|IsTreeForDocumentationNodeForChapterRep|IsTreeForDocumentationNodeForGroupRep|IsTreeForDocumentationNodeForManItemRep|IsTreeForDocumentationNodeForSectionRep|IsTreeForDocumentationNodeForSubsectionRep|IsTreeForDocumentationNodeForTextRep|IsTreeForDocumentationNodeRep|IsTreeForDocumentationRep|IsTreeHashTabRep|IsTreeHomomorphism|IsTreeHomomorphismCollection|IsTreeHomomorphismFamily|IsTreeHomomorphismFamilyRep|IsTreeHomomorphismRep|IsTreeHomomorphismSemigroup|IsTreeQuiver|IsTreeRep|IsTriangle|IsTriangularMatrix|IsTriangularReduced|IsTriangularizableMatGroup|IsTrimBooleanMat|IsTrimFSA|IsTrivial|IsTrivialAOpEZero|IsTrivialAction2DimensionalGroup|IsTrivialAction3DimensionalGroup|IsTrivialForm|IsTrivialFormCollection|IsTrivialLOpEOne|IsTrivialLOpEZero|IsTrivialNormalIntersection|IsTrivialNormalIntersectionInList|IsTrivialRBase|IsTrivialROpEOne|IsTrivialROpEZero|IsTrivialSkewbrace|IsTrivialUOpEOne|IsTrivialUOpEZero|IsTropicalMatrix|IsTropicalMatrixCollection|IsTropicalMatrixMonoid|IsTropicalMatrixSemigroup|IsTropicalMaxPlusMatrix|IsTropicalMaxPlusMatrixCollColl|IsTropicalMaxPlusMatrixCollection|IsTropicalMaxPlusMatrixMonoid|IsTropicalMaxPlusMatrixSemigroup|IsTropicalMinPlusMatrix|IsTropicalMinPlusMatrixCollColl|IsTropicalMinPlusMatrixCollection|IsTropicalMinPlusMatrixMonoid|IsTropicalMinPlusMatrixSemigroup|IsTwistingTrivial|IsTwoSided|IsTwoSidedIdeal|IsTwoSidedIdealInParent|IsTwoSidedIdealOp|IsType|IsTypeDefaultRep|IsTypeIISRGParameters|IsTypeISRGParameters|IsUAcyclicQuiver|IsUEALatticeElement|IsUEALatticeElementCollection|IsUEALatticeElementFamily|IsUFDFamily|IsUUID|IsUUIDBlistRep|IsUnateBooleanFunction|IsUnateInVariable|IsUndirectedForest|IsUndirectedSpanningForest|IsUndirectedSpanningTree|IsUndirectedSubWordNC_LargeGroupRep|IsUndirectedSubWord_LargeGroupRep|IsUndirectedTree|IsUndirectedWord_LargeGroupRep|IsUnicodeCharacter|IsUnicodeString|IsUniform|IsUniformBlockBijection|IsUnionOfResidueClasses|IsUnionOfResidueClassesOfGFqx|IsUnionOfResidueClassesOfGFqxWithFixedRepresentatives|IsUnionOfResidueClassesOfZ|IsUnionOfResidueClassesOfZWithFixedRepresentatives|IsUnionOfResidueClassesOfZ_pi|IsUnionOfResidueClassesOfZ_piWithFixedRepresentatives|IsUnionOfResidueClassesOfZorZ_pi|IsUnionOfResidueClassesOfZorZ_piWithFixedRepresentatives|IsUnionOfResidueClassesOfZxZ|IsUnionOfResidueClassesWithFixedRepresentatives|IsUnionOfResidueClassesWithFixedRepsStandardRep|IsUnipotChevElem|IsUnipotChevElemCollection|IsUnipotChevFamily|IsUnipotChevRepByFundamentalCoeffs|IsUnipotChevRepByRootNumbers|IsUnipotChevRepByRoots|IsUnipotChevSubGr|IsUnipotent|IsUnipotentMatGroup|IsUniqueFactorizationDomain|IsUniqueFactorizationRing|IsUniquelyPresented|IsUniquelyPresentedAffineSemigroup|IsUniquelyPresentedNumericalSemigroup|IsUnit|IsUnitForm|IsUnitFormCollection|IsUnitFormFamily|IsUnitFormRep|IsUnitFree|IsUnitGroup|IsUnitGroupIsomorphism|IsUnitGroupOfGroupRing|IsUnitOfNumberField|IsUnitRegularMonoid|IsUnitary|IsUnitaryRepresentation|IsUnivarSystem|IsUnivariatePolynomial|IsUnivariatePolynomialRing|IsUnivariatePolynomialsFamily|IsUnivariatePolynomialsFamilyElement|IsUnivariateRationalFunction|IsUnivariateRationalFunctionDefaultRep|IsUniversalPBR|IsUniversalSemigroupCongruence|IsUniversalSemigroupCongruenceClass|IsUnknown|IsUnknownDefaultRep|IsUnsortedPcgsRep|IsUp2DimensionalMapping|IsUp2DimensionalMappingCollColl|IsUp2DimensionalMappingCollCollColl|IsUp2DimensionalMappingCollection|IsUp2DimensionalMappingRep|IsUpToDatePolycyclicCollector|IsUpperActedOnByGroup|IsUpperActedOnBySuperset|IsUpperAlphaChar|IsUpperStairCaseMatrix|IsUpperTriangularFRElement|IsUpperTriangularMat|IsUpperTriangularMatrix|IsUpperUnitriMat|IsVHGroup|IsValidFareySymbol|IsValidGapbind14Object|IsValidGroupInt|IsValidIdentifier|IsValidPrime|IsValidString|IsVarianceBalanced|IsVector|IsVectorCollColl|IsVectorCollection|IsVectorFRElementSpace|IsVectorFRMachineRep|IsVectorInOrbitBySuborbitList|IsVectorList|IsVectorObj|IsVectorOrdering|IsVectorSearchTable|IsVectorSearchTableDefaultRep|IsVectorSpace|IsVectorSpaceHomomorphism|IsVectorSpaceMorphism|IsVectorSpaceObject|IsVectorSpaceTransversal|IsVectorSpaceTransversalRep|IsVectorTable|IsVeroneseMap|IsVeroneseMapRep|IsVeroneseVariety|IsVeroneseVarietyRep|IsVertex|IsVertexOfDiagram|IsVertexOfDiagramCollection|IsVertexOfDiagramRep|IsVertexPairEdge|IsVertexProjectiveModule|IsVertexTransitive|IsVirtualCharacter|IsVirtuallySimpleGroup|IsVoganDiagramOfRealForm|IsVoganDiagramOfRealFormCollection|IsVoganDiagramOfRealFormFamily|IsVoidMatrix|IsWLetterAssocWordRep|IsWLetterWordsFamily|IsWPObj|IsWdNearRing|IsWeakCache|IsWeakCachingObjectRep|IsWeakGeneralisedPolygon|IsWeakPointerObject|IsWeaklyBranched|IsWeaklyFinitaryFRElement|IsWeaklyFinitaryFRSemigroup|IsWeaklyNonnegativeUnitForm|IsWeaklyNormal|IsWeaklyNormalInParent|IsWeaklyNormalOp|IsWeaklyPermutable|IsWeaklyPermutableInParent|IsWeaklyPermutableOp|IsWeaklyPositiveUnitForm|IsWeaklySPermutable|IsWeaklySPermutableInParent|IsWeaklySPermutableOp|IsWeaklySymmetricAlgebra|IsWedgeElement|IsWedgeElementCollection|IsWeightLexOrdering|IsWeightOrdering|IsWeightRepElement|IsWeightRepElementCollection|IsWeightRepElementFamily|IsWeightedCollector|IsWellDefined|IsWellDefinedForMorphisms|IsWellDefinedForObjects|IsWellDefinedForTwoCells|IsWellFoundedOrdering|IsWellOrdering|IsWellReversedOrdering|IsWellReversedSubset|IsWellSubset|IsWeylGroup|IsWeylRing|IsWholeFamily|IsWideSubgroupoid|IsWithSSubpermutiserCondition|IsWithSSubpermutiserConditionInParent|IsWithSSubpermutiserConditionOp|IsWithSSubpermutizerCondition|IsWithSSubpermutizerConditionInParent|IsWithSSubpermutizerConditionOp|IsWithSubnormaliserCondition|IsWithSubnormaliserConditionInParent|IsWithSubnormaliserConditionOp|IsWithSubnormalizerCondition|IsWithSubnormalizerConditionInParent|IsWithSubnormalizerConditionOp|IsWithSubpermutiserCondition|IsWithSubpermutiserConditionInParent|IsWithSubpermutiserConditionOp|IsWithSubpermutizerCondition|IsWithSubpermutizerConditionInParent|IsWithSubpermutizerConditionOp|IsWord|IsWordAcceptorOfDoubleCosetRws|IsWordCollection|IsWordDecompHomomorphism|IsWordWithInverse|IsWordWithOne|IsWorkerFarm|IsWorkerFarmByFork|IsWrapperCapCategory|IsWrapperCapCategoryCell|IsWrapperCapCategoryMorphism|IsWrapperCapCategoryObject|IsWreathOrdering|IsWreathProductElement|IsWreathProductElementCollection|IsWreathProductElementDefaultRep|IsWreathProductOrdering|IsWritableFile|IsWyckoffGraph|IsWyckoffPosition|IsXInfinity|IsXMod|IsXModAlgebra|IsXModAlgebraConst|IsXModAlgebraMorphism|IsXModMorphism|IsXModWithObjects|IsXp|IsXpOp|IsYB|IsYp|IsYpOp|IsZDFRE|IsZDFRECollColl|IsZDFRECollection|IsZ_pi|IsZero|IsZeroCharacteristic|IsZeroCochainRep|IsZeroComplex|IsZeroCyc|IsZeroForMorphisms|IsZeroForObjects|IsZeroGroup|IsZeroMultiplicationRing|IsZeroPath|IsZeroRationalFunction|IsZeroRectangularBand|IsZeroSemigroup|IsZeroSimpleSemigroup|IsZeroSquaredElement|IsZeroSquaredElementCollColl|IsZeroSquaredElementCollection|IsZeroSquaredRing|IsZeroSymmetricNearRing|IsZeroTail|IsZmodnZMat|IsZmodnZMatRep|IsZmodnZMatrixRep|IsZmodnZObj|IsZmodnZObjNonprime|IsZmodnZObjNonprimeCollColl|IsZmodnZObjNonprimeCollCollColl|IsZmodnZObjNonprimeCollection|IsZmodnZObjNonprimeFamily|IsZmodnZVec|IsZmodnZVecRep|IsZmodnZVectorRep|IsZmodnZepsObj|IsZmodnZepsObjCollection|IsZmodnZepsRep|IsZmodpZObj|IsZmodpZObjLarge|IsZmodpZObjSmall|IsZxZ|IshomalgExternalObject|IshomalgExternalObjectRep|IshomalgExternalRingObjectRep|IshomalgInternalMatrixHullRep|IshomalgTable|IshomalgTableRep|IsoclinicMiddleLength|IsoclinicRank|IsoclinicStemDomain|IsoclinicXModFamily|Isoclinism|IsoclinismClasses|IsolateIndeterminate|IsolatePoint|IsolatorSubgroup|IsomIndecModules|IsometricCanonicalForm|IsometryGroup|IsomorphicAutomGroup|IsomorphicAutomSemigroup|IsomorphicCat1AlgebraFamily|IsomorphicCopyByNormalSubloop|IsomorphicCopyByPerm|IsomorphicFpSemigroup|IsomorphicMatrixField|IsomorphicModules|IsomorphicPreCat1GroupWithIdentityEmbedding|IsomorphicRepresentatives|IsomorphicSCAlgebra|IsomorphicSubgroups|IsomorphicXModFamily|IsomorphismAbelianGroupViaIndependentGenerators|IsomorphismAbelianGroups|IsomorphismByIsomorphisms|IsomorphismCanonicalPolarSpace|IsomorphismCanonicalPolarSpaceWithIntertwiner|IsomorphismCat1Groups|IsomorphismCat2Groups|IsomorphismCat2GroupsNoTranspose|IsomorphismCatOneGroups|IsomorphismClassPositionsOfGroupoid|IsomorphismClassRepresentatives2dGroups|IsomorphismClasses|IsomorphismCrossedModules|IsomorphismCubefreeGroups|IsomorphismCubefreeGroupsNC|IsomorphismCycleSets|IsomorphismDigraphs|IsomorphismFRGroup|IsomorphismFRMonoid|IsomorphismFRSemigroup|IsomorphismFp2DimensionalGroup|IsomorphismFpAlgebra|IsomorphismFpFLMLOR|IsomorphismFpGroup|IsomorphismFpGroupByChiefSeries|IsomorphismFpGroupByChiefSeriesFactor|IsomorphismFpGroupByCompositionSeries|IsomorphismFpGroupByGenerators|IsomorphismFpGroupByGeneratorsNC|IsomorphismFpGroupByPcgs|IsomorphismFpGroupBySubnormalSeries|IsomorphismFpGroupForRewriting|IsomorphismFpGroupForWeyl|IsomorphismFpInfo|IsomorphismFpMonoid|IsomorphismFpMonoidGeneratorsFirst|IsomorphismFpMonoidInversesFirst|IsomorphismFpObject|IsomorphismFpSemigroup|IsomorphismFromCoDualToInternalCoHom|IsomorphismFromCoequalizerOfCoproductDiagramToPushout|IsomorphismFromCoimageToCokernelOfKernel|IsomorphismFromCokernelOfDiagonalDifferenceToPushout|IsomorphismFromCokernelOfKernelToCoimage|IsomorphismFromCoproductToDirectSum|IsomorphismFromDirectProductToDirectSum|IsomorphismFromDirectSumToCoproduct|IsomorphismFromDirectSumToDirectProduct|IsomorphismFromDualToInternalHom|IsomorphismFromEqualizerOfDirectProductDiagramToFiberProduct|IsomorphismFromFiberProductToEqualizerOfDirectProductDiagram|IsomorphismFromFiberProductToKernelOfDiagonalDifference|IsomorphismFromHomologyObjectToItsConstructionAsAnImageObject|IsomorphismFromImageObjectToKernelOfCokernel|IsomorphismFromInitialObjectToZeroObject|IsomorphismFromInternalCoHomToCoDual|IsomorphismFromInternalCoHomToObject|IsomorphismFromInternalCoHomToObjectWithGivenInternalCoHom|IsomorphismFromInternalCoHomToTensorProduct|IsomorphismFromInternalHomToDual|IsomorphismFromInternalHomToObject|IsomorphismFromInternalHomToObjectWithGivenInternalHom|IsomorphismFromInternalHomToTensorProduct|IsomorphismFromItsConstructionAsAnImageObjectToHomologyObject|IsomorphismFromKernelOfCokernelToImageObject|IsomorphismFromKernelOfDiagonalDifferenceToFiberProduct|IsomorphismFromObjectToInternalCoHom|IsomorphismFromObjectToInternalCoHomWithGivenInternalCoHom|IsomorphismFromObjectToInternalHom|IsomorphismFromObjectToInternalHomWithGivenInternalHom|IsomorphismFromPushoutToCoequalizerOfCoproductDiagram|IsomorphismFromPushoutToCokernelOfDiagonalDifference|IsomorphismFromTensorProductToInternalCoHom|IsomorphismFromTensorProductToInternalHom|IsomorphismFromTerminalObjectToZeroObject|IsomorphismFromZeroObjectToInitialObject|IsomorphismFromZeroObjectToTerminalObject|IsomorphismGroupoids|IsomorphismGroups|IsomorphismLoops|IsomorphismLpGroup|IsomorphismMatrixAlgebra|IsomorphismMatrixFLMLOR|IsomorphismMatrixField|IsomorphismMatrixGroup|IsomorphismMealyGroup|IsomorphismMealyMonoid|IsomorphismMealySemigroup|IsomorphismMonoid|IsomorphismNewObjects|IsomorphismOfFiltration|IsomorphismOfModules|IsomorphismOfMultGroupByFieldEl|IsomorphismOfRealSemisimpleLieAlgebras|IsomorphismOfSemisimpleLieAlgebras|IsomorphismOfTensorModules|IsomorphismPartialPermMonoid|IsomorphismPartialPermSemigroup|IsomorphismPc2DimensionalGroup|IsomorphismPcGroup|IsomorphismPcGroupoid|IsomorphismPcInfo|IsomorphismPcObject|IsomorphismPcpGroup|IsomorphismPcpGroupFromFpGroupWithPcPres|IsomorphismPerm2DimensionalGroup|IsomorphismPermGroup|IsomorphismPermGroupForMatrixGroup|IsomorphismPermGroupImfGroup|IsomorphismPermGroupOrFailFpGroup|IsomorphismPermGroupoid|IsomorphismPermInfo|IsomorphismPermObject|IsomorphismPermOrPcInfo|IsomorphismPermOrPcObject|IsomorphismPolarSpaces|IsomorphismPolarSpacesNC|IsomorphismPolarSpacesProjectionFromNucleus|IsomorphismPreCat1Groups|IsomorphismPreCat2Groups|IsomorphismPreCat2GroupsNoTranspose|IsomorphismProjPlanesByGenerators|IsomorphismProjPlanesByGeneratorsNC|IsomorphismQuasigroups|IsomorphismQuasigroupsNC|IsomorphismRcwaGroup|IsomorphismRcwaGroupOverZ|IsomorphismReesMatrixSemigroup|IsomorphismReesMatrixSemigroupOverPermGroup|IsomorphismReesZeroMatrixSemigroup|IsomorphismReesZeroMatrixSemigroupOverPermGroup|IsomorphismRefinedPcGroup|IsomorphismSCAlgebra|IsomorphismSCFLMLOR|IsomorphismSCRing|IsomorphismSemigroup|IsomorphismSemigroups|IsomorphismSimpleGroups|IsomorphismSimplifiedFpGroup|IsomorphismSkewbraces|IsomorphismSolvableSmallGroups|IsomorphismSpecialPcGroup|IsomorphismStandardGroupoid|IsomorphismSubgroupFpGroup|IsomorphismTauGroups|IsomorphismTest|IsomorphismToPreCat1GroupWithIdentityEmbedding|IsomorphismTransformationMonoid|IsomorphismTransformationSemigroup|IsomorphismTypeInfoFiniteSimpleGroup|IsomorphismTypeInfoFiniteSimpleGroup_fun|IsomorphismUpperUnitriMatGroupPcpGroup|IsomorphismXModByNormalSubgroup|IsomorphismXMods|IsomorphismsOfGraphOfGroupoids|IsomorphismsOfGraphOfGroups|IsotopismLoops|Isotropy|IsqClan|IsqClanObj|IsqClanRep|IsqReversing|Iterated|IteratedF|IteratedRelatorsOfLpGroup|Iterator|IteratorByBasis|IteratorByFunctions|IteratorByNextIterator|IteratorCanonical|IteratorFiniteList|IteratorFromDigraphFile|IteratorFromGeneratorsFile|IteratorFromMultiplicationTableFile|IteratorIrredSolMatrixGroups|IteratorIrreducibleSolubleMatrixGroups|IteratorIrreducibleSolvableMatrixGroups|IteratorList|IteratorOfCartesianProduct|IteratorOfCartesianProduct2|IteratorOfCombinations|IteratorOfDClassReps|IteratorOfDClasses|IteratorOfGradedLambdaOrbs|IteratorOfPartitions|IteratorOfPartitionsSet|IteratorOfPaths|IteratorOfPathsNC|IteratorOfRClassReps|IteratorOfRClasses|IteratorOfSmallSemigroups|IteratorOfTuples|IteratorPrimitivePcGroups|IteratorPrimitiveSolublePermGroups|IteratorPrimitiveSolublePermutationGroups|IteratorPrimitiveSolvablePermGroups|IteratorPrimitiveSolvablePermutationGroups|IteratorSorted|IteratorStabChain|IteratorsFamily|ItpSmallLoop|ItsInvolution|ItsTransposedMatrix|IwasawaTriple|IwasawaTripleWithSubgroup|IyamaGenerator|JACOBI_INT|JClasses|JENNINGSSERIES@FR|JOIN_IDEM_PPERMS|JOIN_PPERMS|JSON_ESCAPE_STRING|JSON_STREAM_TO_GAP|JSON_STRING_TO_GAP|JStarClass|JStarClasses|JStarRelation|JUMP_TO_CATCH|JUPVIZAbsoluteJavaScriptFilename|JUPVIZFetchIfPresent|JUPVIZFetchWithDefault|JUPVIZFileContents|JUPVIZFillInJavaScriptTemplate|JUPVIZIsFileContents|JUPVIZIsFileContentsRep|JUPVIZLoadedJavaScriptCache|JUPVIZMakePlotDataSeries|JUPVIZMakePlotGraphRecord|JUPVIZPlotDataSeriesList|JUPVIZRecordKeychainLookup|JUPVIZRecordsKeychainLookup|JUPVIZRunJavaScriptFromTemplate|JUPVIZRunJavaScriptUsingLibraries|JUPVIZRunJavaScriptUsingRunGAP|JUPVIZSetUpJupyterRenderable|JackButtonGroup|Jacobi|JacobianIdeal|Jacobsthal@GUAVA|Jdecofw0|JenningsInfo|JenningsLieAlgebra|JenningsSeries|Jmuseq|JohnsonDigraph|JohnsonDigraphCons|JohnsonGraph|JoinEquivalenceRelations|JoinIrreducibleDClasses|JoinLeftSemigroupCongruences|JoinMagmaCongruences|JoinOfIdempotentPartialPermsNC|JoinOfPartialPerms|JoinRightSemigroupCongruences|JoinSemigroupCongruences|JoinSemilatticeOfCongruences|JoinStringsWithSeparator|JonesMonoid|JordanBlockLengths|JordanDecomposition|JordanSplitting|JsonStreamToGap|JsonStringToGap|JupyterRenderable|KAN_double_coset_coset_alphabet|KAN_double_coset_group_alphabet|KBCosets|KBMAGRewritingSystem|KBMAG_FOR_KAN_PATH|KBMAG_REW|KBMagFSAtoAutomataDFA|KBMagRewritingSystem|KBMagWordAcceptor|KBOverlaps|KBRWS|KBWD|KB_REW|KERNEL_INFO|KERNEL_TRANS|KFUNC_FROM_LOCAL_DEFINITION|KILL_CHILD_IOSTREAM|KRONECKERPRODUCT_GF2MAT_GF2MAT|KRONECKERPRODUCT_MAT8BIT_MAT8BIT|KURATOWSKI_OUTER_PLANAR_SUBGRAPH|KURATOWSKI_PLANAR_SUBGRAPH|K_FACTORIAL_M1_FACTORS|K_FACTORIAL_P1_FACTORS|K_PRIMORIAL_M1_FACTORS|K_PRIMORIAL_P1_FACTORS|KacDiagram|KantorFamilyByqClan|KantorKnuthqClan|KantorMonomialqClan|KappaPerp|KellerGraph|KellerGraphCons|KendallMetric|Kernel|Kernel2DimensionalMapping|KernelActionIndices|KernelCR|KernelCREndo|KernelCRNorm|KernelCokernelXMod|KernelCosequence|KernelEchelonMatDestructive|KernelEmb|KernelEmbedding|KernelEmbeddingWithGivenKernelObject|KernelHcommaC|KernelHermiteMatDestructive|KernelHigherDimensionalMapping|KernelInclusion|KernelLift|KernelLiftWithGivenKernelObject|KernelMat|KernelMatSparse|KernelObject|KernelObjectFunctorial|KernelObjectFunctorialWithGivenKernelObjects|KernelOfActionOnRespectedPartition|KernelOfAdditiveGeneralMapping|KernelOfBooleanFunction|KernelOfCharacter|KernelOfCongruenceAction|KernelOfCongruenceMatrixAction|KernelOfCongruenceMatrixActionALNUTH|KernelOfCongruenceMatrixActionGAP|KernelOfDerivation|KernelOfFiniteAction|KernelOfFiniteMatrixAction|KernelOfGOuterGroupHomomorphism|KernelOfLambda|KernelOfMap|KernelOfMultiplicativeGeneralMapping|KernelOfNHLB|KernelOfSemigroupCongruence|KernelOfTransformation|KernelOfWhat|KernelSequence|KernelSubobject|KernelSystemGauss|KernelUnderDualAction|KernelWG|KeyDependentOperation|KeyIterator|KeyValueIterator|Keys|Kill|KillingCocycle|KillingMatrix|KindOfDomainWithObjects|KingsGraph|KingsGraphCons|KleinCorrespondence|KleinCorrespondenceExtended|KneadingSequence|KneserGraph|KneserGraphCons|KnightsGraph|KnightsGraphCons|KnotComplement|KnotComplementWithBoundary|KnotGroup|KnotInvariantCedric|KnotReflection|KnotSum|KnownACEOptions|KnownAttributesOfObject|KnownDecompositionMatrix|KnownNaturalHomomorphismsPool|KnownPropertiesOfObject|KnownPropertiesOfPolymakeObject|KnownSize|KnownTruePropertiesOfObject|KnowsDeligneLusztigNames|KnowsDictionary|KnowsHowToDecompose|KnowsSomeGroupInfo|KnuthBendix|KnuthBendixOnCosets|KnuthBendixOnCosetsWithSubgroupRewritingSystem|KnuthBendixRewritingSystem|KoszulAdjoint|KoszulAdjointOnMorphisms|KoszulCocomplex|KoszulDualRing|KoszulLeftAdjoint|KoszulLeftAdjointOnMorphisms|KoszulRightAdjoint|KoszulRightAdjointOnMorphisms|Krawtchouk|KrawtchoukMat|KreinParameters|KroneckerAlgebra|KroneckerDelta|KroneckerFactors|KroneckerList@RepnDecomp|KroneckerMat|KroneckerProduct|KroneckerProductLists|KroneckerProductOfRepresentations|Krules|KrullDimension|KuKGenerators|KunzCoordinates|KunzCoordinatesOfNumericalSemigroup|KunzPolytope|Kur_2_4_2|Kur_2_4_3|Kur_2_4_4|Kur_2_4_9|Kur_2_4_Q|Kur_2_5_2|Kur_2_5_3|Kur_2_5_4|Kur_2_5_5|Kur_2_5_8|Kur_2_5_9|Kur_2_5_Q|Kur_3_3_2|Kur_3_3_3|Kur_3_3_4|Kur_3_3_Q|Kur_4_3_2|Kur_4_3_3|Kur_4_3_4|Kur_4_3_Q|KuratowskiOuterPlanarSubdigraph|KuratowskiPlanarSubdigraph|KuroshAlgebra|KuroshAlgebraByLib|L1_IMMUTABLE_ERROR|LAGInfo|LAGUNA_LOWER_KERNEL_SIZE_LIMIT|LAGUNA_UPPER_KERNEL_SIZE_LIMIT|LARGESTDENOMINATOR@FR|LARGEST_IDENTIFIER_NUMBER|LARGEST_IMAGE_PT|LARGEST_MOVED_POINT_PERM|LARGEST_MOVED_PT_PPERM|LARGEST_MOVED_PT_TRANS|LARGE_TASK|LAST_ACE_ENUM_RESULT|LAST_COMPLETIONBAR_STRING|LAST_COMPLETIONBAR_VAL|LAST_CONSTANT_TNUM|LAST_EXTERNAL_TNUM|LAST_IMM_MUT_TNUM|LAST_LIST_TNUM|LAST_MULT_TNUM|LAST_OBJSET_TNUM|LAST_PACKAGE_TNUM|LAST_PLIST_TNUM|LAST_REAL_TNUM|LAST_RECORD_TNUM|LATEXNAME_OF_POWER_BY_NAME_EXPONENT_AND_ORDER|LAUR_POL_BY_EXTREP|LAut|LCCLoop|LCM_INT|LCSFactorSizes|LCSFactorTypes|LCSRf|LCSWf|LClass|LClassNC|LClassOfHClass|LClassReps|LClassType|LClasses|LDEXP_MACFLOAT|LDEXP_MPFR|LDLDecomposition|LDUDecompositionFRElement|LEAD_COEF_POL_IND_EXTREP|LEAVE_ALL_NAMESPACES|LEAVE_NAMESPACE|LEFT|LEFTACTMACHINE@FR|LEFT_ONE_PPERM|LEFT_ONE_TRANS|LENGTH|LENGTH_SETTER_METHODS_2|LEN_GF2VEC|LEN_LIST|LEN_POSOBJ|LEN_VEC8BIT|LESS_SIG_MASK|LETTERS|LETTER_WORD_EREP_CACHE|LETTER_WORD_EREP_CACHEPOS|LETTER_WORD_EREP_CACHEVAL|LEVEL_PERM_CONJ@FR|LEnumerateDFA|LGFirst|LGHeads|LGLayers|LGLength|LGTails|LGWeights|LHSSpectralSequence|LHSSpectralSequenceLastSheet|LHomHom|LIBLIST|LIBSEMIGROUPS_HPCOMBI_ENABLED|LIBSEMIGROUPS_VERSION|LIBTABLE|LIBTOM|LIBTOMKNOWN|LIBTOMLIST|LICHM|LICPX|LIE2VECTOR@FR|LIECOMPUTEBASIS@FR|LIEELEMENT@FR|LIEEXTENDLCS@FR|LIE_DATA|LIE_DATA_MC8|LIE_TABLE|LIGrHOM|LIGrMOD|LIGrRNG|LIHMAT|LIHOM|LIMAP|LIMAT|LIMOD|LIMOR|LINEARLIMITSTATES@FR|LINEARNUCLEUS@FR|LINEARSTATES@FR|LIOBJ|LIRNG|LIST_BLIST|LIST_DIR|LIST_SORTED_LIST|LIST_WITH_HOLES|LIST_WITH_HOMOGENEOUS_MUTABILITY_LEVEL|LIST_WITH_IDENTICAL_ENTRIES|LLL|LLLReducedBasis|LLLReducedGramMat|LLLint|LMPSLPSeed|LMatrix|LMonsNP|LOADSIMPLE2|LOAD_CONWAY_DATA|LOAD_DYN|LOAD_STAT|LOCAL_COPY_GF2|LOCATION_FUNC|LOCKS_FUNC|LOG10_MACFLOAT|LOG10_MPFR|LOG1P_MACFLOAT|LOG1P_MPFR|LOG2_MACFLOAT|LOG2_MPFR|LOG_FFE_DEFAULT|LOG_FFE_LARGE|LOG_FLOAT|LOG_MACFLOAT|LOG_MPFR|LOG_TO|LOG_TO_STREAM|LOOPS_ActivateAutomorphicLoop|LOOPS_ActivateCCLoop|LOOPS_ActivateLeftBolLoop|LOOPS_ActivateLeftBolLoopPQ|LOOPS_ActivateMoufangLoop|LOOPS_ActivateNilpotentLoop|LOOPS_ActivateRCCLoop|LOOPS_ActivateRightBruckLoop|LOOPS_ActivateSteinerLoop|LOOPS_AutomorphismsFixingSet|LOOPS_CayleyTableByRightFolder|LOOPS_CharToDigit|LOOPS_ConvertBase|LOOPS_ConvertFromDecimal|LOOPS_ConvertToDecimal|LOOPS_DVSigma|LOOPS_DecodeCayleyTable|LOOPS_DecodeCocycle|LOOPS_DigitToChar|LOOPS_EfficientGenerators|LOOPS_EncodeCayleyTable|LOOPS_EncodeCocycle|LOOPS_ExtendHomomorphismByClosingSource|LOOPS_ExtendIsomorphism|LOOPS_FreeMemory|LOOPS_LibraryByName|LOOPS_Modular|LOOPS_PositionList|LOOPS_ReadCayleyTableFromFile|LOOPS_SearchInfo|LOOPS_SearchInputCheck|LOOPS_SearchRuntime|LOOPS_SmallestNonsquare|LOOPS_SublistPosition|LOOPS_TableSearchNC|LOOPS_automorphic_data|LOOPS_aux|LOOPS_cc_bases|LOOPS_cc_cocycles|LOOPS_cc_coordinates|LOOPS_cc_data|LOOPS_cc_used_factors|LOOPS_code_data|LOOPS_conversion_string|LOOPS_interesting_data|LOOPS_itp_small_data|LOOPS_left_bol_data|LOOPS_moufang_data|LOOPS_nilpotent_data|LOOPS_paige_data|LOOPS_rcc_conjugacy_classes|LOOPS_rcc_data|LOOPS_rcc_sections|LOOPS_rcc_transitive_groups|LOOPS_right_bruck_cocycles|LOOPS_right_bruck_coordinates|LOOPS_right_bruck_data|LOOPS_small_data|LOOPS_steiner_data|LOWERCASETRANSTABLE|LOWINDEX_COSET_SCAN|LOWINDEX_IS_FIRST|LOWINDEX_PREPARE_RELS|LPGROUPIMAGE@FR|LPGROUPPREIMAGE@FR|LPRDefs|LPRESPar_StoreResults|LPRESPkgName|LPRES_AddRow|LPRES_AmalgamatedFreeProduct|LPRES_BuildCoveringGroup|LPRES_BuildNewCollector|LPRES_CheckConsistencyRelations|LPRES_CosetEnumerator|LPRES_CoveringGroupByQSystem|LPRES_EndomorphismsOfCover|LPRES_EnforceCoincidences|LPRES_InduceEndosToCover|LPRES_LCS|LPRES_LCSofGuptaSidki|LPRES_LoadCoveringGroups|LPRES_LowerCentralSeriesSections|LPRES_OrbStab|LPRES_Orbits|LPRES_PowerRelationsOfHNF|LPRES_QSystemOfCoveringGroup|LPRES_QSystemOfCoveringGroupByQSystem|LPRES_ReduceHNF|LPRES_RowReduce|LPRES_SaveQuotientSystem|LPRES_SaveQuotientSystemCover|LPRES_SchuMuFromCover|LPRES_TCSTART|LPRES_TEST_ALL|LPRES_Tails_lji|LPRES_Tails_lkk|LPRES_Tails_llk|LPRES_TerminatedNonInvariantNQ|LPRES_WordLetterRepToExtRepOfObj|LPRES_WordsOfLengthAtMostN|LPRElementByExponents|LPRElementByExponentsNC|LPRElementByWordList|LPRElementConstruction|LPRWeights|LPerms|LPresentedGroup|LQUO|LQUO_DEFAULT|LQUO_MPFR|LR2MagmaCongruenceByGeneratingPairsCAT|LR2MagmaCongruenceByPartitionNCCAT|LRApplyZeros|LRCollectWord|LRMultiply|LRPrivateFunctions|LRReduceExp|LSSequence|LShapes|LShapesOfNumericalSemigroup|LSizeDFA|LStarClass|LStarClasses|LStarPartitionByMT|LStarRelation|LT|LT_GF2MAT_GF2MAT|LT_GF2VEC_GF2VEC|LT_LIST_LIST_DEFAULT|LT_LIST_LIST_FINITE|LT_MAT8BIT_MAT8BIT|LT_MPFR|LT_VEC8BIT_VEC8BIT|LTensorProduct|LVARS_FAMILY|LaTeX|LaTeXAndXDVI|LaTeXObj|LaTeXOutput|LaTeXString|LaTeXStringDecompositionMatrix|LaTeXStringFactorsInt|LaTeXStringOp|LaTeXStringRcwaGroup|LaTeXStringRcwaMapping|LaTeXStringSparseMatrixGF2|LaTeXStringWord|LaTeXTable|LaTeXToHTMLString|LaTeXUnicodeTable|Label|LabelInt|LabelOfBasis|LabelOfDescendant|LabelOfMatrix|LabelOfSuffixTreeEdge|LabelOfSuffixTreeNode|LabelPartition|Labels|LabelsFromBibTeX|LabelsOfFareySymbol|LabsLims|Lambda|Lambda2Permutation|LambdaAct|LambdaBound|LambdaConjugator|LambdaCosets|LambdaElementVHGroup|LambdaElimination|LambdaFunc|LambdaIdentity|LambdaIntroduction|LambdaInverse|LambdaOrb|LambdaOrbMult|LambdaOrbMults|LambdaOrbOpts|LambdaOrbRep|LambdaOrbSCC|LambdaOrbSCCIndex|LambdaOrbSchutzGp|LambdaOrbSeed|LambdaOrbStabChain|LambdaPerm|LambdaRank|LamplighterGroup|LanguagesEqualFSA|LaplacianMatrix|LargeGaloisField|LargerDirectProductGroupoid|LargerQuotientBySubgroupAbelianization|LargestCommonPrefix|LargestElementConjugateStabChain|LargestElementGroup|LargestElementRClass|LargestElementSemigroup|LargestElementStabChain|LargestImageOfMovedPoint|LargestMinimalNumberOfLocalGenerators|LargestMovedPoint|LargestMovedPointPerm|LargestMovedPointPerms|LargestNilpotentQuotient|LargestNrSlots|LargestSourcesOfAffineMappings|LargestUnknown|Last|LastErrorMessage|LastHashIndex|LastOf|LastOp|LastReadValue|LastReceivedCallID|LastSystemError|LatexInputPPPPcpGroups|LatexInputPPPPcpGroupsAllAppend|LatexInputPPPPcpGroupsAppend|LatticeBasis|LatticeByCyclicExtension|LatticeFromClasses|LatticeGeneratorsInUEA|LatticeIntersection|LatticeOfCongruences|LatticeOfLeftCongruences|LatticeOfRightCongruences|LatticePathAssociatedToNumericalSemigroup|LatticePathGoodNodeSequence|LatticePathGoodNodeSequenceOp|LatticeSubgroups|LatticeSubgroupsByTom|LatticeViaRadical|LaunchCAS|LaunchCAS_IO_ForHomalg|LaurentPolynomialByCoefficients|LaurentPolynomialByExtRep|LaurentPolynomialByExtRepNC|LawrenceLiftingOfAffineSemigroup|Layers|LazyList|LazySyzygiesOfColumns|LazySyzygiesOfRows|Lcm|LcmInt|LcmOp|LcmPP|Lcm_UsingCayleyDeterminant|LdExp|LdkAut|LeadCoeffMonoidPoly|LeadCoeffsIGS|LeadGenerator|LeadMonoidPoly|LeadTerm|LeadWordMonoidPoly|Leading27b|LeadingCoefficient|LeadingCoefficientOfPolynomial|LeadingComponent|LeadingExponent|LeadingExponentOfPcElement|LeadingLayer|LeadingLayerElement|LeadingModule|LeadingMonomial|LeadingMonomialOfPolynomial|LeadingMonomialPosExtRep|LeadingPosition|LeadingQEAMonomial|LeadingTerm|LeadingTermOfPolynomial|LeadingUEALatticeMonomial|LeadingUnit|LeafAddresses|LeafOfAddress|LeastBadComplementLayer|LeastBadFNormalizerIndex|LeastBadHallLayer|LeastEigenvalueFromSRGParameters|LeastEigenvalueInterval|LeastEigenvalueMultiplicity|LeastNonSquareModP|LefschetzNumber|LefschetzNumberOfChainMap|Left2DimensionalGroup|Left2DimensionalMorphism|Left3DimensionalGroup|LeftActingAlgebra|LeftActingDomain|LeftActingGroup|LeftActingRingOfIdeal|LeftAction|LeftAlgebraModule|LeftAlgebraModuleByGenerators|LeftApproximationByAddM|LeftApproximationByAddTHat|LeftBasis|LeftBlocks|LeftBolLoop|LeftBruckLoop|LeftCayleyDigraph|LeftCayleyGraphSemigroup|LeftCongruencesOfSemigroup|LeftConjugacyClosedLoop|LeftCoset|LeftCosetRepresentatives|LeftCosetRepresentativesFromObject|LeftCosetsNC|LeftDerivations|LeftDerivedFunctor|LeftDistributivityExpanding|LeftDistributivityExpandingWithGivenObjects|LeftDistributivityFactoring|LeftDistributivityFactoringWithGivenObjects|LeftDivide|LeftDivision|LeftDivisionCayleyTable|LeftDualizingFunctor|LeftElementOfCartesianProduct|LeftFacMApproximation|LeftGlobalDimension|LeftIdeal|LeftIdealByGenerators|LeftIdealBySubgroup|LeftIdealNC|LeftIdealOfMaximalMinors|LeftIdealOfMinors|LeftIdeals|LeftIdentity|LeftInnerMapping|LeftInnerMappingGroup|LeftInverse|LeftInverseLazy|LeftInverseOfHomomorphism|LeftLexicographicOrdering|LeftMagmaCongruence|LeftMagmaCongruenceByGeneratingPairs|LeftMagmaIdeal|LeftMagmaIdealByGenerators|LeftMinimalVersion|LeftModuleByGenerators|LeftModuleByHomomorphismToMatAlg|LeftModuleGeneralMappingByImages|LeftModuleGeneratorsForIdealFromGenerators|LeftModuleHomomorphismByImages|LeftModuleHomomorphismByImagesNC|LeftModuleHomomorphismByMatrix|LeftMultiplicationBy|LeftMultiplicationGroup|LeftMutationOfCotiltingModuleComplement|LeftMutationOfTiltingModuleComplement|LeftNilpotentIdeals|LeftNormedComm|LeftNucleus|LeftOne|LeftPermutations|LeftPresentation|LeftPresentationWithDegrees|LeftPresentations|LeftPresentationsAsFreydCategoryOfCategoryOfRows|LeftPresentationsAsFreydCategoryOfCategoryOfRowsOfArbitraryRingPrecompiled|LeftPresentationsAsFreydCategoryOfCategoryOfRowsOfCommutativeRingPrecompiled|LeftPresentationsAsFreydCategoryOfCategoryOfRowsOfFieldPrecompiled|LeftProjection|LeftPushoutMorphism|LeftQuotient|LeftQuotientPowerPcgsElement|LeftReduceQEAElement|LeftReduceUEALatticeElement|LeftRightAttributesForHomalg|LeftRightMorphism|LeftRotateDynamicTree|LeftSatelliteOfFunctor|LeftSection|LeftSemigroupCongruence|LeftSemigroupCongruenceByGeneratingPairs|LeftSemigroupIdealEnumeratorDataGetElement|LeftSeries|LeftShiftRowVector|LeftSubMApproximation|LeftSubmodule|LeftTranslation|LeftTransversalsOfGraphOfGroupoids|LeftTransversalsOfGraphOfGroups|LeftUnitor|LeftUnitorInverse|LeftUnitorInverseWithGivenTensorProduct|LeftUnitorWithGivenTensorProduct|LeftVectorOrdering|LeftZeroSemigroup|LeftmostOccurrence|Legendre|LeibnizAlgebraHomology|LeibnizComplex|LeibnizQuasiCoveringHomomorphism|Length|LengthBoundAut|LengthLexGreater|LengthLexLess|LengthLexicographic|LengthLexicographicOp|LengthLongestRelator|LengthOfComplex|LengthOfDescendingSeries|LengthOfGoodSemigroup|LengthOfLongestCommonPrefixOfTwoAssocWords|LengthOfLongestDClassChain|LengthOfOrbit|LengthOfPath|LengthOfResolution|LengthOfWeylWord|LengthOrdering|LengthWPObj|Length_ExtendedVectors|Length_NormedRowVectors|Length_SemigroupIdealEnumerator|Length_Subset|LengthenedCode|LengthsOfFactorizationsElementWRTNumericalSemigroup|LengthsOfFactorizationsIntegerWRTList|LengthsTom|LenstraBase|Less6150|LessFunction|LessGeneratorsTransformationTripleLeft|LessGeneratorsTransformationTripleRight|LessThan|LessThanByOrdering|LessThanFunction|LessThanOrEqual|LessThanOrEqualFunction|LetWeakPointerListOnExternalObjectsContainRingCreationNumbers|Letter|LetterRepAssocWord|LetterRepWordsLessFunc|LeukBasis|LevelOfBigradedObject|LevelOfCongruenceSubgroup|LevelOfCongruenceSubgroupGammaMN|LevelOfEpimorphismFromFRGroup|LevelOfFaithfulAction|LevelOfStability|LevelStabilizer|LevelsOfGenerators|LevelsOfSpectralSequence|LeviMalcevDecomposition|LexiCode|Lexicographic|LexicographicIndexTable|LexicographicOp|LexicographicOrdering|LexicographicOrderingNC|LexicographicPermutation|LexicographicProduct|LexicographicTable|Lfunction|LibInfoCharacterTable|LibraryConditions|LibraryFusion|LibraryFusionTblToTom|LibraryLoop|LibraryName|LibraryNearRing|LibraryNearRingFlag|LibraryNearRingInfo|LibraryNearRingWithOne|LibraryTables|LibsemigroupsCongruence|LibsemigroupsCongruenceConstructor|LibsemigroupsFpSemigroup|LibsemigroupsFroidurePin|LieAlgDBField2String|LieAlgDBParListIteratorDimension6Characteristic3|LieAlgebra|LieAlgebraAndSubalgebras|LieAlgebraByDomain|LieAlgebraByStructureConstants|LieAlgebraHomology|LieAlgebraIdentification|LieAlgebraIsomorphismByCanonicalGenerators|LieBracket|LieCenter|LieCentraliser|LieCentraliserInParent|LieCentralizer|LieCentralizerInParent|LieCentre|LieCoboundaryOperator|LieCover|LieCoveringHomomorphism|LieDerivedLength|LieDerivedSeries|LieDerivedSubalgebra|LieDimensionSubgroups|LieElement|LieEpiCentre|LieExteriorSquare|LieFamily|LieInfo|LieLowerCentralSeries|LieLowerNilpotencyIndex|LieLowerPCentralSeries|LieMultiplicator|LieNBDefinitions|LieNBWeights|LieNilRadical|LieNormaliser|LieNormaliserInParent|LieNormalizer|LieNormalizerInParent|LieNucleus|LieObject|LiePClosure|LiePCommutator|LiePCover|LiePDerivedSeries|LiePIdeal|LiePImageByBasis|LiePIsIdeal|LiePLowerCentralSeries|LiePLowerPCentralSeries|LiePMinimalGeneratingSet|LiePOrder|LiePPCommutator|LiePQuotient|LiePQuotientByTable|LiePQuotientNC|LiePRecSubring|LiePRingByData|LiePRingBySCTable|LiePRingBySCTableNC|LiePRingCopy|LiePRingCopyNC|LiePRingSplit|LiePRingToGroup|LiePRing_ReadPackage|LiePRingsByLibrary|LiePRingsByLibraryMC8|LiePRingsDim7ByFile|LiePRingsInFamily|LiePRingsInFamilyMC8|LiePRump|LiePSchurMult|LiePSchurMultByPrime|LiePSubring|LiePSubringByBasis|LiePValues|LieQuotientTable|LieRingByStructureConstants|LieRingIdeal|LieRingToPGroup|LieSolubleRadical|LieSolvableRadical|LieTensorCentre|LieTensorSquare|LieUpperCentralSeries|LieUpperCodimensionSeries|LieUpperNilpotencyIndex|Lift|LiftAbsAndIrredModules|LiftAlongMonomorphism|LiftAutorphismToLieCover|LiftBlockToPointNormalizer|LiftChainMap|LiftChainMapAlternating|LiftClassesEANonsolvCentral|LiftClassesEANonsolvGeneral|LiftClassesEATrivRep|LiftColouredSurface|LiftCompGenFromQuotByMinDistNormSgp|LiftConCandCenNonsolvGeneral|LiftCovariantEndoFunctorToSerreQuotientCategory|LiftEpimorphism|LiftEpimorphismSQ|LiftFactorFpHom|LiftHom|LiftIdempotent|LiftIdempotents|LiftIdempotentsForDecomposition|LiftInduciblePair|LiftIsomorphismToLieCover|LiftNLAutGrpToLieCover|LiftNaturalIsoFromIdToSomeToSerreQuotientCategory|LiftOrFail|LiftPathAlgebraModule|LiftTwoOrthogonalIdempotents|LiftedInducedPcgs|LiftedPcElement|LiftedRegularCWMap|LiftingCompleteSetOfOrthogonalIdempotents|LiftingIdempotent|LiftingInclusionMorphisms|LiftingMorphismFromProjective|LikelyContractionCenter|LikelyContractionCentre|LimitFRMachine|LimitStates|LimitStatesOfFRElement|LimitStatesOfFRMachine|LimitedMakeKnuthBendixRewritingSystemConfluent|LinCharByKernel|LindgrenSousselierGraph|LindgrenSousselierGraphCons|Line|LineByLineProfileFunction|LineDiamEdge|LineDigraph|LineEditKeyHandler|LineEditKeyHandlers|LineNumberStringPosition|LinePrintFSA|LinePrintRWS|LineUndirectedDigraph|LinearAction|LinearActionAutGrp|LinearActionBasis|LinearActionLayer|LinearActionOnMultiplicator|LinearActionOnPcp|LinearActionPGAut|LinearActionpOfGroupOnMultiplier|LinearCharacters|LinearCodeByGenerators|LinearCombination|LinearCombinationPcgs|LinearConstituentWithMultiplicityOne|LinearFreeComplexOverExteriorAlgebraToModule|LinearGroupParameters|LinearHomomorphismsPersistenceMat|LinearHomomorphismsZZPersistenceMat|LinearIndependentColumns|LinearOperation|LinearOperationLayer|LinearOrderByPartialWeakOrder|LinearPart|LinearPartOfAffineMatOnRight|LinearPowersBySeries|LinearRegularity|LinearRegularityInterval|LinearRegularityIntervalViaExt01OverBaseField|LinearRegularityIntervalViaMinimalResolution|LinearRepresentationByImages|LinearRepresentationIsomorphism|LinearRepresentationIsomorphismNoProduct@RepnDecomp|LinearRepresentationIsomorphismSlow|LinearRepresentationOfStructureGroup|LinearStrand|LinearStrandOfTateResolution|LinearSystem|LinearSyzygiesGeneratorsOfColumns|LinearSyzygiesGeneratorsOfRows|Linearise27a|Linearise27b|LinearqClan|Lines|LinesOfBBoxProgram|LinesOfStraightLineDecision|LinesOfStraightLineProgram|LinkDynamicTrees|LinkedElement|LinkedListCache|LinkedListCacheNodeType|LinkingForm|LinkingFormInvariant|LipmanSemigroup|List|List2Tuples|ListBlist|ListCAPPrepareFunctions|ListDirectory|ListERegulars|ListElmPower|ListInstalledOperationsOfCategory|ListInverseDerivations|ListKeyEnumerator|ListKnownCategoricalProperties|ListN|ListNamedDigraphs|ListOf2DimensionalMappings|ListOfDegreesOfMultiGradedRing|ListOfDigits|ListOfElements|ListOfPositionsOfKnownDegreesOfGenerators|ListOfPositionsOfKnownSetsOfRelations|ListOfPowers|ListOfSentinels|ListOfSuccessors|ListOfWordsToAutomaton|ListOneCohomology|ListOp|ListPerm|ListPermutedAutomata|ListPrimitivelyInstalledOperationsOfCategory|ListSinkStatesAut|ListStabChain|ListToGeneratorsRepresentation|ListToListList|ListToMat|ListToPseudoList|ListToWordRWS|ListTransformation|ListWithAttributes|ListWithIdenticalEntries|ListWordSR|ListWreathProductElement|ListWreathProductElementNC|ListX|ListXHelp|ListXHelp0|ListXHelp1|ListXHelp2|ListsFamily|ListsOfCellsToRegularCWComplex|ListsOfIP_Colors|LittlewoodRichardsonCoefficient|LittlewoodRichardsonCoefficientOp|LittlewoodRichardsonRule|LittlewoodRichardsonRuleOp|LoadAISGroupData|LoadAISGroupFingerprintData|LoadAISGroupFingerprintIndex|LoadAISGroupFingerprints|LoadAbsolutelyIrreducibleSolubleGroupData|LoadAbsolutelyIrreducibleSolubleGroupFingerprintData|LoadAbsolutelyIrreducibleSolubleGroupFingerprintIndex|LoadAbsolutelyIrreducibleSolubleGroupFingerprints|LoadAbsolutelyIrreducibleSolvableGroupData|LoadAbsolutelyIrreducibleSolvableGroupFingerprintData|LoadAbsolutelyIrreducibleSolvableGroupFingerprintIndex|LoadAbsolutelyIrreducibleSolvableGroupFingerprints|LoadAllPackages|LoadBitmapPicture|LoadBranch|LoadDatabaseOfCTGraphs|LoadDatabaseOfGroupsGeneratedBy3ClassTranspositions|LoadDatabaseOfGroupsGeneratedBy4ClassTranspositions|LoadDatabaseOfNonbalancedProductsOfClassTranspositions|LoadDatabaseOfProductsOf2ClassTranspositions|LoadDemoFile|LoadDifferenceSets|LoadDynamicModule|LoadHomalgMatrixFromFile|LoadJavaScriptFile|LoadKernelExtension|LoadOrbitFromFileName|LoadPackage|LoadPackageDocumentation|LoadPackage_ReadImplementationParts|LoadQuotFinder|LoadRCWAExamples|LoadStaticModule|LoadedAISGroupData|LoadedAISGroupFingerprints|LoadedAbsolutelyIrreducibleSolubleGroupData|LoadedAbsolutelyIrreducibleSolubleGroupFingerprints|LoadedAbsolutelyIrreducibleSolvableGroupData|LoadedAbsolutelyIrreducibleSolvableGroupFingerprints|LoadedModules|LoadedPackages|LocalARQuiver|LocalAction|LocalActionDegree|LocalActionDelta|LocalActionElement|LocalActionGamma|LocalActionNC|LocalActionPhi|LocalActionPi|LocalActionRadius|LocalActionSigma|LocalDefinitionFunction|LocalIndexAtInfty|LocalIndexAtInftyByCharacter|LocalIndexAtOddP|LocalIndexAtOddPByCharacter|LocalIndexAtPByBrauerCharacter|LocalIndexAtTwo|LocalIndexAtTwoByCharacter|LocalIndicesOfCyclicCyclotomicAlgebra|LocalIndicesOfCyclotomicAlgebra|LocalIndicesOfRationalQuaternionAlgebra|LocalIndicesOfRationalSymbolAlgebra|LocalIndicesOfTensorProductOfQuadraticAlgs|LocalInfo|LocalInfoMat|LocalInterpolationNearRing|LocalInterpolationNearRingFlag|LocalParameters|LocalizeAt|LocalizeAtZero|LocalizeBaseRingAtPrime|LocalizePolynomialRingAtZeroWithMora|LocalizeRingMacrosForSingular|LocalizeRingWithMoraMacrosForSingular|LocalizedRcwaMapping|LocateGeneratorsInCohomologyRing|Location|LocationFunc|LocationIndex|Locations|LockAndAdoptObj|LockAndMigrateObj|LockNaturalHomomorphismsPool|LockObjectOnCertainPresentation|LoewyLength|Log|Log10|Log1p|Log2|Log2HTML|Log2Int|LogAbsValueBound|LogDixonBound|LogFFE|LogInputTo|LogInt|LogMethod|LogMod|LogModRhoIterate|LogModShanks|LogOutputTo|LogPackageLoadingMessage|LogPerm|LogPregroupPresentation|LogTo|LogToDatedFile|LoggedKnuthBendix|LoggedModulePoly|LoggedModulePolyFam|LoggedModulePolyNC|LoggedOnePassKB|LoggedOnePassReduceWord|LoggedReduceModulePoly|LoggedReduceMonoidPoly|LoggedReduceWordKB|LoggedRewriteReduce|LoggedRewritingSystemFpGroup|LogicFunction|LogicalImplicationsForHomalgChainMorphisms|LogicalImplicationsForHomalgComplexes|LogicalImplicationsForHomalgEndomorphisms|LogicalImplicationsForHomalgMaps|LogicalImplicationsForHomalgMatrices|LogicalImplicationsForHomalgMatricesOverSpecialRings|LogicalImplicationsForHomalgModules|LogicalImplicationsForHomalgModulesOverSpecialRings|LogicalImplicationsForHomalgMorphisms|LogicalImplicationsForHomalgRingElements|LogicalImplicationsForHomalgRingMaps|LogicalImplicationsForHomalgRingSelfMaps|LogicalImplicationsForHomalgRings|LogicalImplicationsForHomalgSelfMaps|LogicalImplicationsForHomalgStaticObjects|LogicalImplicationsForHomalgSubobjects|LogicalImplicationsForOneHomalgObject|LogicalImplicationsForTwoHomalgBasicObjects|LogicalImplicationsForTwoHomalgObjects|LollipopGraph|LollipopGraphCons|LongSequence|LongWords|LongestWeylWord|LongestWeylWordPerm|LookForInOrb|LookUpFingerprint|LookUpHashFrmPrint|LookUpTuple|LookUpTupleF|LookUpTupleFP|LookupDictionary|LookupHintForSimple|LookupSuborbit|LoopByCayleyTable|LoopByCyclicModification|LoopByDihedralModification|LoopByExtension|LoopByLeftSection|LoopByRightFolder|LoopByRightSection|LoopClass|LoopClassOld|LoopClassRepresentatives|LoopClasses|LoopClassesNew|LoopFreeAut|LoopFromFile|LoopIsomorph|LoopMG2|LoopVertexFreeAut|Loops|LoopsUpToIsomorphism|LoopsUpToIsotopism|LoopsXMod|LowIndSubs_NextIter|LowIndexNormalSubgroups|LowIndexNormalSubgroupsOp|LowIndexNormalsBySeries|LowIndexNormalsEaLayer|LowIndexNormalsFaLayer|LowIndexSubgroupClasses|LowIndexSubgroupClassesOp|LowIndexSubgroupClassesPcpGroup|LowIndexSubgroups|LowIndexSubgroupsBySeries|LowIndexSubgroupsEaLayer|LowIndexSubgroupsFaLayer|LowIndexSubgroupsFpGroup|LowIndexSubgroupsFpGroupIterator|LowIndexSubgroupsLpGroupByFpGroup|LowIndexSubgroupsLpGroupIterator|LowLayerSubgroups|LowerASCIIString|LowerBound|LowerBoundCoveringRadiusCountingExcess|LowerBoundCoveringRadiusEmbedded1|LowerBoundCoveringRadiusEmbedded2|LowerBoundCoveringRadiusInduction|LowerBoundCoveringRadiusSphereCovering|LowerBoundCoveringRadiusVanWee1|LowerBoundCoveringRadiusVanWee2|LowerBoundGilbertVarshamov|LowerBoundMinimumDistance|LowerBoundSpherePacking|LowerCentralFactors|LowerCentralSeries|LowerCentralSeriesByTable|LowerCentralSeriesIterator|LowerCentralSeriesLieAlgebra|LowerCentralSeriesOfGroup|LowerFittingSeries|LowerGCentralSeries|LowerSpaceFromWord_LargeGroupRep|LowerTriangularMatrix|LowerUnitriangularForm|LowercaseChar|LowercaseString|LowercaseUnicodeString|LowercaseUnicodeTable|LowestBidegreeInBicomplex|LowestBidegreeInBigradedObject|LowestBidegreeInSpectralSequence|LowestBidegreeObjectInBicomplex|LowestBidegreeObjectInBigradedObject|LowestBidegreeObjectInSpectralSequence|LowestDegree|LowestDegreeMorphism|LowestDegreeObject|LowestKnownDegree|LowestKnownPosition|LowestLevelInSpectralSequence|LowestLevelSheetInSpectralSequence|LowestTotalDegreeInSpectralSequence|LowestTotalObjectDegreeInBicomplex|LtFunctionListRep|LtNP|Lucas|LucasMod|LueXMod|LyubashenkoYB|MACFLOAT_INT|MACFLOAT_MPFR|MACFLOAT_STRING|MAGIC_SUM|MAGMAMacros|MAGMA_HOMOMORPHISM_CONSTRUCTORS|MAJORANA_AddConjugateEvecs|MAJORANA_AddConjugateVectors|MAJORANA_AddEvec|MAJORANA_AddNewVectors|MAJORANA_AdjointAction|MAJORANA_AlgebraProduct|MAJORANA_AllConjugates|MAJORANA_AllEmbeddings|MAJORANA_Basis|MAJORANA_CheckBasis|MAJORANA_CheckEmbedding|MAJORANA_ConjugateRow|MAJORANA_ConjugateVec|MAJORANA_ConvertToBasis|MAJORANA_DihedralAlgebras|MAJORANA_DihedralAlgebrasTauMaps|MAJORANA_Dimension|MAJORANA_Eigenvectors|MAJORANA_EigenvectorsAlgebraUnknowns|MAJORANA_Embed|MAJORANA_EmbedDihedral|MAJORANA_EmbedDihedralAlgebra|MAJORANA_EmbedKnownRep|MAJORANA_Example_24A5|MAJORANA_Example_25S5|MAJORANA_Example_2wr2|MAJORANA_Example_3A6|MAJORANA_Example_3A7|MAJORANA_Example_3S6|MAJORANA_Example_3S7|MAJORANA_Example_A5|MAJORANA_Example_A6|MAJORANA_Example_A7|MAJORANA_Example_A8|MAJORANA_Example_J2|MAJORANA_Example_L32|MAJORANA_Example_L33|MAJORANA_Example_L34|MAJORANA_Example_L42|MAJORANA_Example_M11|MAJORANA_Example_M12|MAJORANA_Example_PSL211|MAJORANA_Example_S3S3|MAJORANA_Example_S4S3A7|MAJORANA_Example_S4T1|MAJORANA_Example_S4T2|MAJORANA_Example_S5|MAJORANA_Example_S5S3A8|MAJORANA_Example_S6|MAJORANA_Example_S7|MAJORANA_Example_U33|MAJORANA_Example_U42T1|MAJORANA_Example_U42T2|MAJORANA_Example_min3gen9|MAJORANA_Example_thesis|MAJORANA_ExtendPerm|MAJORANA_FillGramMatrix|MAJORANA_FindAlgebraProducts|MAJORANA_FindBadIndices|MAJORANA_FindEmbedding|MAJORANA_FindInnerProducts|MAJORANA_FindPerm|MAJORANA_FuseEigenvectors|MAJORANA_FuseEigenvectorsNoForm|MAJORANA_Fusion|MAJORANA_FusionTable|MAJORANA_ImageMat|MAJORANA_InnerProduct|MAJORANA_IntersectEigenspaces|MAJORANA_IsComplete|MAJORANA_IsJordanAlgebra|MAJORANA_IsSixTranspositionGroup|MAJORANA_LDLTDecomposition|MAJORANA_ListOfBadIndicesForResurrection|MAJORANA_MainLoop|MAJORANA_MappedWord|MAJORANA_MaximalSubgps|MAJORANA_NClosedNullspace|MAJORANA_NClosedSetUp|MAJORANA_NaiveProduct|MAJORANA_NewOrbital|MAJORANA_NullspaceUnknowns|MAJORANA_Orbitals|MAJORANA_OrbitalsT|MAJORANA_Orbits|MAJORANA_PositiveDefinite|MAJORANA_RecordSolution|MAJORANA_RecordSubalgebras|MAJORANA_RemoveDuplicateShapes|MAJORANA_RemoveKnownAlgProducts|MAJORANA_RemoveKnownInnProducts|MAJORANA_Resurrection|MAJORANA_SeparateAlgebraProduct|MAJORANA_SeparateInnerProduct|MAJORANA_SetUp|MAJORANA_SingleInnerSolution|MAJORANA_SolutionAlgProducts|MAJORANA_SolutionInnerProducts|MAJORANA_SolveSingleSolution|MAJORANA_SolveSystem|MAJORANA_SolveSystem_Whatever|MAJORANA_Subalgebra|MAJORANA_TauMappedWord|MAJORANA_TestAxiomM2|MAJORANA_TestEvecs|MAJORANA_TestFrobeniusForm|MAJORANA_TestFusion|MAJORANA_TestInnerProduct|MAJORANA_TestOrthogonality|MAJORANA_TestPrimitivity|MAJORANA_TestSetup|MAKEMEALYMACHINE@FR|MAKENAMESUNIQUE@FR|MAKEPERMS@FR|MAKE_BITFIELDS|MAKE_COMP|MAKE_CONSTANT_GLOBAL|MAKE_READ_ONLY_GLOBAL|MAKE_READ_WRITE_GLOBAL|MAKE_SHIFTED_COEFFS_VEC8BIT|MAKElb11|MANEXreadobs|MAPPEDWORD@FR|MASK_BASE_10|MASK_BASE_16|MASK_BASE_256|MASK_SIGN_NEG|MASK_SIGN_POS|MASTER_POINTER_NUMBER|MATCHES_KNOWN_ACE_OPT_NAME|MATCH_BEGIN|MATCH_BEGIN_COUNT|MATGRP_AddGeneratorToStabilizerChain|MATGRP_StabilizerChainInner|MATINTbezout|MATINTmgcdex|MATINTrgcd|MATINTsplit|MATRIX@FR|MATRIX_CATEGORY|MAT_ELM_GF2MAT|MAT_ELM_MAT8BIT|MAXSIZE_GF_INTERNAL|MAXSUBS_BY_PCGS|MAXTRYGCDHEU|MAX_FLOAT_LITERAL_CACHE_SIZE|MAX_SIZE_LIST_INTERNAL|MAX_SIZE_TRANSVERSAL|MAYBE_ORDER@FR|MD5File|MDReduction|MEALY2WORD@FR|MEALYDISPLAY@FR|MEALYLIMITSTATES@FR|MEALYMACHINEDOM@FR|MEALYMACHINEINT@FR|MEALY_FROM_STATES@FR|MEDClosure|MEDNumericalSemigroupClosure|MEET_BLIST|MEET_PPERMS|METHODS_OPERATION|MIGRATE|MIGRATE_NORECURSE|MIGRATE_RAW|MINIMIZERWS@FR|MINIMIZERWS_MAKERULES@FR|MIP_GLLIMIT|MM2DOT@FR|MMACTIVITY@FR|MMLTINTREP@FR|MMMINIMIZE@FR|MOCChars|MOCFieldInfo|MOCPowerInfo|MOCString|MOCTable|MOCTable0|MOCTableP|MOD|MOD_LIST_LIST_DEFAULT|MOD_LIST_SCL_DEFAULT|MOD_MPFR|MOD_SCL_LIST_DEFAULT|MOD_UPOLY|MOLS|MOLSCode|MONOIDAL_CATEGORIES_BASIC_METHOD_NAME_RECORD|MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|MONOIDCOMPARE@FR|MONOM_GRLEX|MONOM_PROD|MONOM_REV_LEX|MONOM_TOT_DEG_LEX|MOREDATA2TO8|MORPHEUSELMS|MOST_SIG_MASK|MOVED_PTS_PPERM|MOVED_PTS_TRANS|MPCFloatsFamily|MPC_INT|MPFIFloatsFamily|MPFI_INT|MPFR|MPFRBITS@float|MPFRFLOAT_STRING|MPFRFloatsFamily|MPFR_CATALAN|MPFR_EULER|MPFR_INT|MPFR_INTPREC|MPFR_LOG2|MPFR_MACFLOAT|MPFR_MAKEINFINITY|MPFR_MAKENAN|MPFR_MPFRPREC|MPFR_PI|MPFR_PSEUDOFIELD|MPFR_STRING|MPQS|MPQSSplit|MQHLOAIWOU|MSSFBPC|MSccAutomaton|MSword2gpword|MTSAction|MTSActionHomomorphism|MTSComponents|MTSE|MTSEParent|MTSGroup|MTSPartialOrder|MTSQuotientDigraph|MTSSemilattice|MTSSemilatticeVertexLabelInverseMap|MTSUnderlyingAction|MTX|MULTIDIGRAPH_AUTOMORPHISMS|MULTIDIGRAPH_CANONICAL_LABELLING|MULTI_SESSION|MULT_BYT_LETTREP|MULT_VECTOR_2_FAST|MULT_VECTOR_GF2VECS_2|MULT_VECTOR_LEFT_2|MULT_VECTOR_RIGHT_2|MULT_VECTOR_VEC8BITS|MULT_VECTOR_VECFFES|MULT_WOR_LETTREP|MU_MemBagHeader|MU_MemPointer|MVBooleanFunctionBySTE|MVFactorDegreeMonomialTerm|MVFactorInverseKroneckerMapUnivariate|MVFactorKroneckerMap|MVThresholdElement|MVThresholdElementTraining|Macaulay2Macros|MagicNumber|Magma|MagmaByGenerators|MagmaByMultiplicationTable|MagmaByMultiplicationTableCreator|MagmaByMultiplicationTableCreatorNC|MagmaCongruenceByGeneratingPairs|MagmaCongruencePartition|MagmaElement|MagmaEndomorphismByImagesNC|MagmaGeneratorsOfFamily|MagmaHomomorphismByFunctionNC|MagmaHomomorphismByImagesNC|MagmaIdeal|MagmaIdealByGenerators|MagmaIsomorphismByFunctionsNC|MagmaRingModuloSpanOfZero|MagmaWithInverses|MagmaWithInversesByGenerators|MagmaWithInversesByMultiplicationTable|MagmaWithObjects|MagmaWithObjectsHomomorphism|MagmaWithOne|MagmaWithOneByGenerators|MagmaWithOneByMultiplicationTable|MagmaWithZeroAdjoined|MaintenanceMethodForToDoLists|MajoranaAlgebraTest|MajoranaRepresentation|MajorantClosure|MajorantClosureNC|Make2DimensionalDomain|Make2DimensionalGroupMorphism|Make2DimensionalMagma|Make2DimensionalMagmaMorphism|Make2DimensionalMonoid|Make2DimensionalSemigroup|Make2dAlgebraMorphism|Make3DimensionalDomain|Make3DimensionalMagma|Make3DimensionalMonoid|Make3DimensionalSemigroup|MakeAllProjectivePoints|MakeBitfields|MakeCanonical|MakeCodeword|MakeConfluent|MakeConsequences|MakeConsequencesPres|MakeConstantGVar|MakeConstantGlobal|MakeCycleSetHomorphism|MakeDatabaseEntry|MakeDerivation|MakeDerivationGraph|MakeDispatcherFunc|MakeExternalFilename|MakeFloat|MakeFockPIM|MakeFockPIMOp|MakeFockSpecht|MakeFockSpechtOp|MakeFormulaVector|MakeFpGroupCompMethod|MakeFpGroupToMonoidHomType1|MakeGAPDocDoc|MakeGrobnerPair|MakeGroupyObj|MakeGroupyType|MakeHAPManual|MakeHAPprimeDoc|MakeHalfInfList|MakeHashFunctionForPlainFlatList|MakeHigherDimensionalDomain|MakeHigherDimensionalGroupMorphism|MakeHigherDimensionalMagma|MakeHigherDimensionalMapping|MakeHigherDimensionalMonoid|MakeHigherDimensionalSemigroup|MakeImagesInfoLinearGeneralMappingByImages|MakeImmutable|MakeIncompressible|MakeInfList|MakeInfListFromHalfInfLists|MakeInt|MakeIntPoly|MakeIterator_HashMap|MakeKnuthBendixRewritingSystemConfluent|MakeLIBTOMLIST|MakeLinearCombination|MakeMagmaWithInversesByFiniteGenerators|MakeMapping|MakeMatGroup|MakeMatrixByBasis|MakeMonomialOrdering|MakeMultiplicationTable|MakeMutableCopyListPPP|MakeNewLevel|MakeNiceDirectQuots|MakeNoncommutativeMonomialOrdering|MakeOperationWeightList|MakePIM|MakePIMOp|MakePIMSpecht|MakePIMSpechtOp|MakePlistVectorType|MakePreImagesInfoLinearGeneralMappingByImages|MakePreImagesInfoLinearMappingByMatrix|MakePreImagesInfoOperationAlgebraHomomorphism|MakePreXModWithObjects|MakePslqTest@float|MakeQPADocumentation|MakeRandomLines|MakeRandomVectors|MakeRank2Residue|MakeReadOnlyGVar|MakeReadOnlyGlobal|MakeReadOnlyObj|MakeReadOnlyRaw|MakeReadOnlySingleObj|MakeReadWriteGVar|MakeReadWriteGlobal|MakeRepeatingList|MakeResolutionsComponent|MakeSCRingMapping|MakeSchreierTreeShallow|MakeShowable|MakeShowableWithLaTeX|MakeSimple|MakeSimpleOp|MakeSpaceGroup|MakeSpecht|MakeSpechtOp|MakeStabChainLong|MakeStrictWriteOnceAtomic|MakeSubmoduleColineAction|MakeSubmoduleCosetAction|MakeThreadLocal|MakeUniform|MakeUniformOnRight|MakeWriteOnceAtomic|MakeZmodnZMat|MakeZmodnZVec|MalcevCNElementBy2Coefficients|MalcevCNElementBy2Exponents|MalcevCNElementBy2GenElements|MalcevCNElementByExponents|MalcevCNElementByExponentsNC|MalcevCollectorConstruction|MalcevCollectorFamily|MalcevGElementByCNElmAndExps|MalcevGElementByExponents|MalcevGElementByExponentsNC|MalcevGenElementByCoefficients|MalcevGenElementByExponents|MalcevGenElementByGrpElement|MalcevGenElementByLieElement|MalcevGenElementConstruction|MalcevGrpElementByExponents|MalcevGrpElementConstruction|MalcevLieElementByCoefficients|MalcevLieElementByWord|MalcevLieElementConstruction|MalcevObjectByTGroup|MalcevObjectConstruction|MalcevObjectFamily|MalcevSymbolicCNElementByExponents|MalcevSymbolicGenElementByCoefficients|MalcevSymbolicGenElementByExponents|MalcevSymbolicGrpElementByExponents|MalcevSymbolicLieElementByCoefficients|MalcevSymbolicLieElementByWord|MamaghaniGroup|ManhattanMetric|ManualExamples|ManualExamplesXMLTree|Map|MapFromHomogeneousPartofModuleToHomogeneousPartOfKoszulRightAdjoint|MapFromHomogenousPartOverExteriorAlgebraToHomogeneousPartOverSymmetricAlgebra|MapFromHomogenousPartOverSymmetricAlgebraToHomogeneousPartOverExteriorAlgebra|MapHavingCertainGeneratorsAsItsImage|MapKeyWordFromPolymakeFormat|MapKeyWordToPolymakeFormat|MapNearRing|MapleHomalgOptions|MapleMacros|MappedAction|MappedExpression|MappedExpressionForElementOfFreeAssociativeAlgebra|MappedPartitions|MappedPcElement|MappedVector|MappedWord|MappedWordCR|MappedWordSyllableAssocWord|Mapper|Mapper_alt|Mapping|Mapping2ArgumentsByFunction|MappingByFunction|MappingClassGroupGenerators|MappingClassGroupGeneratorsL|MappingClassOrbit|MappingClassOrbitCore|MappingClassOrbitCoreNoConj|MappingClassOrbitNoConj|MappingClassOrbits|MappingCone|MappingGeneratorsImages|MappingOfWhichItIsAsGGMBI|MappingPermListList|MappingPermObjectsImages|MappingPermSetSet|MappingPermSetSet_C|MappingToOne|MappingToSinglePieceData|MappingToSinglePieceMaps|MappingTransObjectsImages|MappingWithObjectsByFunction|Maps|MarkAsImplied|MarkGraphForPrinting|MarkPrintingNode|MarkovOperator|MarksTom|MarkupFactoredNumber|MarkupGlobals|MasseyProduct|MatAlgebra|MatAutomorphismsFamily|MatByVector|MatCharsWreathSymmetric|MatClassMultCoeffsCharTable|MatDirectProduct|MatElm|MatElmAsString|MatExamples|MatGroupZClass|MatJacobianMatrix|MatLieAlgebra|MatOrbs|MatPcgsExponents|MatPcgsExponentsOld|MatPcgsSift|MatPerm|MatPlus|MatPos|MatScalarProducts|MatSpace|MatTimesTransMat|MatToList|MatTom|MatWreathProduct|MatchPropertiesAndAttributes|MatchPropertiesAndAttributesOfSubobjectAndUnderlyingObject|MatchingFGData|MatchingFGDataForOrderedSigs|MatchingFGDataNonGrp|MathieuGroup|MathieuGroupCons|MatricesOfDualMap|MatricesOfPathAlgebraMatModuleHomomorphism|MatricesOfPathAlgebraModule|MatricesOfRelator|MatricesQA|MatricesQAC|MatricesStabilizerOneDim|Matrix|MatrixAlgebra|MatrixAutomorphisms|MatrixBasis@RepnDecomp|MatrixByBlockMatrix|MatrixByEvenInterval|MatrixByFreePairOfIntervals|MatrixByOddInterval|MatrixCategory|MatrixCategoryAsAdditiveClosureOfRingAsCategory|MatrixCategoryObject|MatrixCategoryObjectOp|MatrixCategoryPrecompiled|MatrixDecompositionMatrix|MatrixEntries|MatrixGroupToMagmaFormat|MatrixImage@RepnDecomp|MatrixInt|MatrixLieAlgebra|MatrixNC|MatrixNearRing|MatrixNearRingFlag|MatrixNumCols|MatrixNumRows|MatrixOfAction|MatrixOfCollineation|MatrixOfCorrelation|MatrixOfCycleSet|MatrixOfDiagram|MatrixOfFiltration|MatrixOfGenerators|MatrixOfHomomorphismBetweenProjectives|MatrixOfLabel|MatrixOfMap|MatrixOfRack|MatrixOfReesMatrixSemigroup|MatrixOfReesZeroMatrixSemigroup|MatrixOfRelations|MatrixOfSubobjectGenerators|MatrixOfSymbols|MatrixOfWeightsOfIndeterminates|MatrixOperationOfCPGroup|MatrixOverFiniteFieldIdempotentCreator|MatrixOverFiniteFieldIdempotentTester|MatrixOverFiniteFieldLambdaConjugator|MatrixOverFiniteFieldLocalRightInverse|MatrixOverFiniteFieldRowSpaceRightAction|MatrixOverFiniteFieldSchutzGrpElement|MatrixOverFiniteFieldStabilizerAction|MatrixOverGradedRing|MatrixOverHomalgFakeLocalRing|MatrixQA|MatrixQAC|MatrixQuotient|MatrixRepresentation|MatrixRepresentationOfElement|MatrixRepresentationOnRiemannRochSpaceP1|MatrixRepsn|MatrixSize|MatrixSpace|MatrixSpinCharsSn|Matrix_CharacteristicPolynomialSameField|Matrix_MinimalPolynomialSameField|Matrix_OrderPolynomialInner|Matrix_OrderPolynomialSameField|Mats6173|Mats6178|MaxAutsizeForOrbitCalculation@RDS|MaxDimensionalRadicalSubobjectOp|MaxDimensionalSubobjectOp|MaxHashViewSize|MaxNormals|MaxNumeratorCoeffAlgElm|MaxOrbitPerm|MaxPlusMatrixType|MaxPowerK|MaxSubIntersections|MaxSubmodsByPcgs|Maxes|MaxesAlmostSimple|MaxesByLattice|MaxesCalcNormalizer|MaxesType3|MaxesType4a|MaxesType4bc|Maxfactor|MaximalAbelianFactors|MaximalAbelianQuotient|MaximalAbsolutelyIrreducibleNilpotentMatGroup|MaximalAntiSymmetricSubdigraph|MaximalAntiSymmetricSubdigraphAttr|MaximalAutSize|MaximalBlocks|MaximalBlocksAttr|MaximalBlocksOp|MaximalCommonDirectSummand|MaximalCommonSubdigraph|MaximalCompatibleSubgroup|MaximalDClasses|MaximalDegreePart|MaximalDegreePartOfColumnMatrix|MaximalDenumerant|MaximalDenumerantOfElementInNumericalSemigroup|MaximalDenumerantOfNumericalSemigroup|MaximalDenumerantOfSetOfFactorizations|MaximalDiscreteSubdomain|MaximalDiscreteSubgroupoid|MaximalElementsOfGoodSemigroup|MaximalGradedLeftIdeal|MaximalGradedRightIdeal|MaximalIdeal|MaximalIdealAsColumnMatrix|MaximalIdealAsLeftMorphism|MaximalIdealAsRightMorphism|MaximalIdealAsRowMatrix|MaximalIdealOfNumericalSemigroup|MaximalIndependentSet|MaximalMinors|MaximalNormalSubgroups|MaximalObjects|MaximalOrderBasis|MaximalOrderByUnitsPcpGroup|MaximalOrderDescriptionPari|MaximalPropertySubgroups|MaximalReductiveSubalgebras|MaximalShift|MaximalSimpleSubgroup|MaximalSimplicesOfSimplicialComplex|MaximalSimplicesToSimplicialComplex|MaximalSolvableSubgroups|MaximalSphericalCoxeterSubgroupsFromAbove|MaximalSubgroupClassReps|MaximalSubgroupClassesByIndex|MaximalSubgroupClassesByIndexOp|MaximalSubgroupClassesRepsLayer|MaximalSubgroupClassesSol|MaximalSubgroupRepsKG|MaximalSubgroupRepsSG|MaximalSubgroupRepsTG|MaximalSubgroups|MaximalSubgroupsByLayer|MaximalSubgroupsLattice|MaximalSubgroupsSymmAlt|MaximalSubgroupsTom|MaximalSubmoduleOfFpGModule|MaximalSubmodulesOfFpGModule|MaximalSubsemigroups|MaximalSubsemigroupsNC|MaximalSymmetricSubdigraph|MaximalSymmetricSubdigraphAttr|MaximalSymmetricSubdigraphWithoutLoops|MaximalSymmetricSubdigraphWithoutLoopsAttr|MaximallyCompactCartanSubalgebra|MaximallyNonCompactCartanSubalgebra|Maximum|MaximumClique|MaximumCompleteSubgraph|MaximumDegree|MaximumDegreeForPresentation|MaximumDegreeOfElementWRTNumericalSemigroup|MaximumLengthOfDirectString|MaximumList|MaxsubSifted|MaybePrint|McAlisterTripleSemigroup|McAlisterTripleSemigroupAction|McAlisterTripleSemigroupActionHomomorphism|McAlisterTripleSemigroupComponents|McAlisterTripleSemigroupElement|McAlisterTripleSemigroupElementParent|McAlisterTripleSemigroupGroup|McAlisterTripleSemigroupPartialOrder|McAlisterTripleSemigroupQuotientDigraph|McAlisterTripleSemigroupSemilattice|McAlisterTripleSemigroupSemilatticeVertexLabelInverseMap|McAlisterTripleSemigroupUnderlyingAction|MealyAutomaton|MealyElement|MealyElementNC|MealyMachine|MealyMachineFRGroup|MealyMachineFRMonoid|MealyMachineFRSemigroup|MealyMachineNC|MeatAxeString|Median|Meet|MeetEquivalenceRelations|MeetMagmaCongruences|MeetMaps|MeetOfPartialPerms|MeetPartitionStrat|MeetPartitionStratCell|MeetSemigroupCongruences|MegaBytesAvailable|MemberByCongruenceMatrixAction|MemberBySemiEchelonBase|MemberFunction|MemberTestByBasePcgs|MembershipFunction|MembershipTestKnownBase|Membership_AbelianSS|Membership_Basis|Membership_SemigroupIdealEnumerator|MemoizeFunction|MemoizePosIntFunction|Memory|MemoryToString|MemoryUsage|MemoryUsageByGAPinKbytes|MemoryUsageOp|MereExistenceOfSolutionOfLinearSystemInAbCategory|Merge|MergeGroupEntries|MergeHistories|MergeLineByLineProfiles|MergerExtension|MetacyclicGroup|MethodsOperation|MicroInvariants|MicroInvariantsOfNumericalSemigroup|MicroSleep|Mid|MiddleEnd|MiddleInnerMapping|MiddleInnerMappingGroup|MiddleNucleus|MiddlePart|MiddleStart|MigrateObj|MigrateSingleObj|MihailovaSystem|MinActionRank|MinIGS|MinImage|MinOrbitPerm|MinPlusMatrixType|MinimalArfGeneratingSystemOfArfNumericalSemigroup|MinimalAutomaton|MinimalBlockDimension|MinimalBlockDimensionOfMatrixGroup|MinimalBlockDimensionOfMatrixGroupOp|MinimalCommonSuperdigraph|MinimalCongruences|MinimalCongruencesOfSemigroup|MinimalDClass|MinimalElementCosetStabChain|MinimalFactorization|MinimalFaithfulPermutationDegree|MinimalFaithfulPermutationRepresentation|MinimalGeneratingSet|MinimalGeneratingSetNilpotentPcpGroup|MinimalGeneratingSetOfIdeal|MinimalGeneratingSetOfModule|MinimalGeneratingSystem|MinimalGeneratingSystemOfIdealOfAffineSemigroup|MinimalGeneratingSystemOfIdealOfNumericalSemigroup|MinimalGeneratingSystemOfNumericalSemigroup|MinimalGeneratorNumber|MinimalGeneratorNumberOfLiePRing|MinimalGenerators|MinimalGensLayer|MinimalGoodGeneratingSystemOfGoodIdeal|MinimalGoodGeneratingSystemOfGoodSemigroup|MinimalGoodGenerators|MinimalGoodGeneratorsIdealGS|MinimalHereditarySubsetsVertex|MinimalIdeal|MinimalIdealGeneratingSet|MinimalIdeals|MinimalImage|MinimalImageOrderedPair|MinimalImagePerm|MinimalImageUnorderedPair|MinimalInverseMonoidGeneratingSet|MinimalInverseSemigroupGeneratingSet|MinimalKnownRatExp|MinimalLeftAddMApproximation|MinimalLeftApproximation|MinimalLeftCongruencesOfSemigroup|MinimalLeftFacMApproximation|MinimalLeftSubMApproximation|MinimalMEDGeneratingSystemOfMEDNumericalSemigroup|MinimalMonoidGeneratingSet|MinimalNonmonomialGroup|MinimalNormalPSubgroups|MinimalNormalPSubgroupsOp|MinimalNormalSubgps|MinimalNormalSubgroups|MinimalParametrization|MinimalPermutationRepresentationInfo|MinimalPolynomial|MinimalPolynomialMatrixNC|MinimalPolynomialOfMatrix|MinimalPolynomialOfMatrixMC|MinimalPresentation|MinimalPresentationOfAffineSemigroup|MinimalPresentationOfNumericalSemigroup|MinimalRepresentationInfo|MinimalRepresentationInfoData|MinimalRightAddMApproximation|MinimalRightApproximation|MinimalRightCongruencesOfSemigroup|MinimalRightFacMApproximation|MinimalRightSubMApproximation|MinimalSemigroupGeneratingSet|MinimalStabChain|MinimalSupergroupsLattice|MinimalSupergroupsTom|MinimalTransitiveIndices|MinimalWord|MinimalizeDDAutomaton|MinimalizedAut|MinimiseLeadTerm|MinimizationOfAutomaton|MinimizationOfAutomatonTrack|MinimizeExplicitTransversal|MinimizeFSA|MinimizeList|MinimizeLowestDegreeMorphism|MinimizeRingRelations|MinimizeTuple|MinimizeTupleQuick|Minimized|MinimizedBombieriNorm|Minimum|MinimumDistance|MinimumDistanceCodeword|MinimumDistanceLeon|MinimumDistanceRandom|MinimumGroupCongruence|MinimumGroupOnSubgroupsOrbit|MinimumList|MinimumVertexColouring|MinimumWeight|MinimumWeightOfGenerators|MinimumWeightWords|Minorants|Minors|MinpolyByRoots|MinpolySpecialP3|MinpolySpecialP5|MinusCharacter|MinusDecompAut|MinusDecomposableAut|MinusIndecompAut|MinusIndecomposableAut|MinusOne|MinusOneMutable|MinusculeModule|Mirrored|MissingIndecomposables|MixerGroup|MixerMachine|MkMonicNP|MobiusLadderGraph|MobiusLadderGraphCons|Mod|Mod2CohomologyRingPresentation|Mod2SteenrodAlgebra|ModGauss|ModPCohomologyGenerators|ModPCohomologyRing|ModPCohomologyRing_part_1|ModPCohomologyRing_part_2|ModPRingBasisAsPolynomials|ModPRingGeneratorDegrees|ModPRingGenerators|ModPRingGeneratorsAlt|ModPRingNiceBasis|ModPRingNiceBasisAsPolynomials|ModPSteenrodAlgebra|ModifyMinGens|ModifyPcgs|ModularCharacterDegree|ModularCohomology|ModularConditionNS|ModularEquivariantChainMap|ModularHomology|ModularNumericalSemigroup|ModularPartitionMonoid|ModularProduct|ModularityOfRightIdeal|Module|ModuleBasis|ModuleByRestriction|ModuleFromExtensionMap|ModuleHomomorphism|ModuleOfExtension|ModuleOfGlobalSections|ModuleOfGlobalSectionsTruncatedAtCertainDegree|ModuleOfKaehlerDifferentials|ModulePoly|ModulePolyFam|ModulePolyFromGensPolys|ModulePolyFromGensPolysNC|ModuleRelatorSequenceReduce|ModuleString|ModuleStructureBase|ModulesOfDimVect|ModuloInfo|ModuloPcgs|ModuloPcgsByPcSequence|ModuloPcgsByPcSequenceNC|ModuloSeries|ModuloSeriesPcps|ModuloTailPcgsByList|Modulus|ModulusAsFormattedString|ModulusOfRcwaMonoid|ModulusOfZmodnZObj|MoebiusFunction|MoebiusFunctionAssociatedToNumericalSemigroup|MoebiusMu|MoebiusTom|MoebiusTransformation|MolienSeries|MolienSeriesInfo|MolienSeriesWithGivenDenominator|Monic|MonoOfLeftSummand|MonoOfRightSummand|MonochromaticColourClasses|MonogenicSemigroup|MonogenicSemigroupCons|Monoid|MonoidByAdjoiningIdentity|MonoidByAdjoiningIdentityElt|MonoidByGenerators|MonoidByMultiplicationTable|MonoidGeneratorsFpGroup|MonoidOfRewritingSystem|MonoidOfUp2DimensionalMappingsFamily|MonoidOfUp2DimensionalMappingsObj|MonoidOfUp2DimensionalMappingsType|MonoidPoly|MonoidPolyFam|MonoidPolyFromCoeffsWords|MonoidPolyFromCoeffsWordsNC|MonoidPolys|MonoidPresentationFpGroup|MonoidWithObjects|MonoidWordFpWord|MonoidalCategoriesTensorProductAndUnitTest|MonoidalCategoriesTest|MonoidalPostCoComposeMorphism|MonoidalPostCoComposeMorphismWithGivenObjects|MonoidalPostComposeMorphism|MonoidalPostComposeMorphismWithGivenObjects|MonoidalPreCoComposeMorphism|MonoidalPreCoComposeMorphismWithGivenObjects|MonoidalPreComposeMorphism|MonoidalPreComposeMorphismWithGivenObjects|MonomialComparisonFunction|MonomialElements|MonomialExtGrlexLess|MonomialExtrepComparisonFun|MonomialGrevlexOrdering|MonomialGrlexOrdering|MonomialLexOrdering|MonomialMap|MonomialMatrix|MonomialMatrixWeighted|MonomialNilpotentMatGroup|MonomialOrderingsFamily|MonomialSylow|MonomialsWithGivenDegree|MonomialsWithGivenDegreeOp|MonomorphismIntoSomeInjectiveObject|MonomorphismIntoSomeInjectiveObjectWithGivenSomeInjectiveObject|MonomorphismToAutomatonGroup|MonomorphismToAutomatonSemigroup|MonomorphismsDigraphs|MonomorphismsDigraphsRepresentatives|MonotoneCatenaryDegreeOfAffineSemigroup|MonotoneCatenaryDegreeOfNumericalSemigroup|MonotoneCatenaryDegreeOfSetOfFactorizations|MonwordToGroupword|MooreComplex|MorClassLoop|MorClassOrbs|MorFindGeneratingSystem|MorFroWords|MorMaxFusClasses|MorRatClasses|MoreLeftMinimalVersion|MoreReduction|MoreRightMinimalVersion|MorphismAid|MorphismBetweenDirectSums|MorphismBetweenDirectSumsWithGivenDirectSums|MorphismCache|MorphismConstructor|MorphismDatum|MorphismDegreesOfComplex|MorphismFilter|MorphismFromBidual|MorphismFromBidualWithGivenBidual|MorphismFromCoBidual|MorphismFromCoBidualWithGivenCoBidual|MorphismFromCoimageToImage|MorphismFromCoimageToImageWithGivenObjects|MorphismFromEqualizerToSink|MorphismFromEqualizerToSinkWithGivenEqualizer|MorphismFromFiberProductToSink|MorphismFromFiberProductToSinkWithGivenFiberProduct|MorphismFromInternalCoHomToTensorProduct|MorphismFromInternalCoHomToTensorProductWithGivenObjects|MorphismFromInternalHomToTensorProduct|MorphismFromInternalHomToTensorProductWithGivenObjects|MorphismFromKernelObjectToSink|MorphismFromKernelObjectToSinkWithGivenKernelObject|MorphismFromSourceToCoequalizer|MorphismFromSourceToCoequalizerWithGivenCoequalizer|MorphismFromSourceToCokernelObject|MorphismFromSourceToCokernelObjectWithGivenCokernelObject|MorphismFromSourceToPushout|MorphismFromSourceToPushoutWithGivenPushout|MorphismFromTensorProductToInternalCoHom|MorphismFromTensorProductToInternalCoHomWithGivenObjects|MorphismFromTensorProductToInternalHom|MorphismFromTensorProductToInternalHomWithGivenObjects|MorphismFromZeroObject|MorphismFunctionName|MorphismGS|MorphismHavingSubobjectAsItsImage|MorphismIntoZeroObject|MorphismOfChainMap|MorphismOfInducedXMod|MorphismOfPullback|MorphismOfTotalComplex|MorphismOnCoKernel|MorphismOnImage|MorphismOnKernel|MorphismToBidual|MorphismToBidualWithGivenBidual|MorphismToCoBidual|MorphismToCoBidualWithGivenCoBidual|MorphismType|MorphismsOfChainMap|MorphismsOfChainMorphism|MorphismsOfComplex|MorphismsOfFiltration|Morphium|MorrisRecursion|MorseFiltration|MostCommonInList|MostFrequentGeneratorFpGroup|MotzkinMonoid|MoufangLoop|MovedPoints|MovedPointsPerms|Mu|MuData|MulExt|MulMorphism|MulNP|MulQA|MulQM|MullineuxMap|MullineuxMapOp|MullineuxSymbol|MullineuxSymbolOp|Mult|MultAutomAlphabet|MultAutomAlphabetOp|MultByTable|MultByTableMod|MultCoeffs|MultDivType|MultMatrixColumn|MultMatrixColumnLeft|MultMatrixColumnRight|MultMatrixPadicNumbersByCoefficientsList|MultMatrixRow|MultMatrixRowLeft|MultMatrixRowRight|MultRow|MultRowVector|MultVector|MultVectorLeft|MultVectorRight|Mult_ci_c_ppowerpolypcp|Mult_x_ij|MultiActionsHomomorphism|MultiClassIdsPc|MultipermutationLevel|MultipleAlgebra|MultipleHomomorphism|MultipleOfFpGModule|MultipleOfIdealOfAffineSemigroup|MultipleOfIdealOfNumericalSemigroup|MultipleOfNumericalSemigroup|MultiplicationGroup|MultiplicationMethod|MultiplicationTable|MultiplicationTableIDs|MultiplicativeElementWithObjects|MultiplicativeElementsWithInversesFamilyByRws|MultiplicativeNeutralElement|MultiplicativeZero|MultiplicativeZeroOp|MultiplicatorRank|Multiplicity|MultiplicityInList|MultiplicityInvariantLargeLambda|MultiplicityOfFunctor|MultiplicityOfNumericalSemigroup|MultiplicitySequence|MultiplicitySequenceOfNumericalSemigroup|Multiplier|MultiplyFreeZGLetterWithGroupElt|MultiplyFreeZGLetterWithGroupEltNC|MultiplyFreeZGLetterWithGroupEltNC_LargeGroupRep|MultiplyFreeZGLetterWithGroupElt_LargeGroupRep|MultiplyFreeZGWordWithGroupElt|MultiplyFreeZGWordWithGroupEltNC|MultiplyFreeZGWordWithGroupEltNC_LargeGroupRep|MultiplyFreeZGWordWithGroupElt_LargeGroupRep|MultiplyGroupElts|MultiplyGroupEltsNC|MultiplyGroupEltsNC_LargeGroupRep|MultiplyGroupElts_LargeGroupRep|MultiplyListsOfMaps|MultiplyWithElementOfCommutativeRingForMorphisms|MultiplyWord|MultivariateFactorsPolynomial|Multpk|MunnSemigroup|MutableBasis|MutableBasisOfClosureUnderAction|MutableBasisOfIdealInNonassociativeAlgebra|MutableBasisOfNonassociativeAlgebra|MutableBasisOfProductSpace|MutableBasisViaNiceMutableBasisMethod2|MutableBasisViaNiceMutableBasisMethod3|MutableCopyMat|MutableCopyMatrix|MutableMatrix|MutableTransposedMat|MutableTransposedMatDestructive|MyBaseMat|MyCutVector|MyEcheloniseMat|MyEval|MyFactors|MyFingerprint|MyIntCoefficients|MyIsMember|MyMinimum|MyOrbits|MyRatClassesPElmsReps|MySolutionMat|MyVals|MyWeightedBasis|MyZmodnZObj|MycielskiGraph|MycielskiGraphCons|N0Subgroups|NAMECHARS|NAMEDOBJECTS|NAMESPACES_STACK|NAMES_OF_SMALL_GROUPS|NAMES_SYSTEM_GVARS|NAME_FUNC|NAME_OF_POWER_BY_NAME_EXPONENT_AND_ORDER|NAMS_FUNC|NARG_FUNC|NAUTY_DATA|NAUTY_DATA_NO_COLORS|NBits_NumberSyllables|NCBRACES|NCEquivalentByOrdering|NCGreaterThanByOrdering|NCLessThanByOrdering|NCMonomialCommutativeLexicographicOrdering|NCMonomialLLLTestOrdering|NCMonomialLeftLengthLexOrdering|NCMonomialLeftLengthLexicographicOrdering|NCMonomialLeftLexicographicOrdering|NCMonomialLengthOrdering|NCMonomialWeightOrdering|NCSortNP|NClosedMajoranaRepresentation|NCurses|NDIntersectionAutomaton|NDProductOfLanguages|NDUnionAutomata|NEARRING_PATH_NAME|NEARRING_WITH_IDENTITY_PATH_NAME|NEATO_PATH|NEWDIRICHLETSERIES@FR|NEWTC_AbelianizedRelatorsSubgroup|NEWTC_AddDeduction|NEWTC_Coincidence|NEWTC_Compress|NEWTC_CosetEnumerator|NEWTC_CyclicSubgroupOrder|NEWTC_Define|NEWTC_DoCosetEnum|NEWTC_ModifiedCoincidence|NEWTC_ModifiedScan|NEWTC_ModifiedScanAndFill|NEWTC_PresentationMTC|NEWTC_ProcessDeductions|NEWTC_QuickScanLibraryVersion|NEWTC_ReplacedStringCyclic|NEWTC_Rewrite|NEWTC_Scan|NEWTC_ScanAndFill|NEW_ACE_OPTIONS|NEW_ATTRIBUTE|NEW_CONSTRUCTOR|NEW_FAMILY|NEW_FILTER|NEW_GLOBAL_FUNCTION|NEW_MUTABLE_ATTRIBUTE|NEW_OPERATION|NEW_PROPERTY|NEW_REGION|NEW_RunImmediateMethods|NEW_TYPE|NEW_TYPE_CACHE_HIT|NEW_TYPE_CACHE_MISS|NEW_TYPE_ID_LIMIT|NEW_TYPE_NEXT_ID|NEXT_VMETHOD_PRINT_INFO|NF|NFAtoDFA|NGParameters|NGroup|NGroupByApplication|NGroupByNearRingMultiplication|NGroupByRightIdealFactor|NH_TRYPCGS_LIMIT|NI12_3|NI16_1|NI16_10|NI16_11|NI16_2|NI16_3|NI16_4|NI16_5|NI16_6|NI16_7|NI16_9|NI17_1|NI18_1|NI18_2|NI18_3|NI19_1|NI20_1|NI20_2|NI20_3|NI21_1|NI22_1|NI23_1|NI24_1|NI24_2|NI24_3|NI24_4|NI24_5|NI24_7|NI24_9|NI25_1|NI25_2|NI26_1|NI27_1|NI27_2|NI27_3|NI27_4|NI27_5|NI28_1|NI28_2|NI28_3|NI29_1|NI30_1|NI31_1|NICE_FLAGS|NICE_STAB|NILLITY@FR|NIdeal|NIdeals|NK|NLAAutoOfMat|NLAFingerprint|NLAFingerprintHuge|NLAFingerprintLarge|NLAFingerprintMedium|NLAFingerprintSmall|NONAVAILABLE_FUNC|NONAVAILABLE_SHOW_FUNC|NONNEG_INTEGERS_STRINGS|NORMALIZE_IGS|NO_PRECOMPUTED_DATA_OPTION|NO_STACKS_INSIDE_COLLECTORS|NO_START_DO_ACE_OPTIONS|NP2GP|NP2GPList|NQOfFpAlgebra|NRClosureOfSubgroup|NRI|NRMultiplication|NRRowEndos|NR_A4|NR_C10|NR_C11|NR_C12|NR_C13|NR_C14|NR_C15|NR_C2|NR_C2xC2xC2|NR_C2xC4|NR_C2xC6|NR_C3|NR_C3xC3|NR_C4|NR_C5|NR_C6|NR_C7|NR_C8|NR_C9|NR_COMPONENTS_PPERM|NR_COMPONENTS_TRANS|NR_D10|NR_D12_1|NR_D12_2|NR_D12_3|NR_D12_4|NR_D12_5|NR_D12_6|NR_D12_7|NR_D12_8|NR_D12_9|NR_D14|NR_D8|NR_FIXED_PTS_PPERM|NR_MOVED_PTS_PPERM|NR_MOVED_PTS_TRANS|NR_Q8|NR_S3|NR_T|NR_V4|NSGPfactorizationsNC|NSubgroup|NSubgroups|NTPMatrixType|NUCLEUS@FR|NUMBER_GF2VEC|NUMBER_SMALL_GROUPS_FUNCS|NUMBER_SMALL_RINGS|NUMBER_VEC8BIT|NUMERATOR_RAT|N_RigidModule|NaiveBuchberger|NakayamaAlgebra|NakayamaAutomorphism|NakayamaFunctorOfModule|NakayamaFunctorOfModuleHomomorphism|NakayamaPermutation|NambooripadLeqRegularSemigroup|NambooripadPartialOrder|Name|NameFunction|NameMonth|NameOfCategoryCollections|NameOfEquivalentLibraryCharacterTable|NameOfFormation|NameOfFunctor|NameOfLibraryCharacterTable|NameRNam|NameRealForm|NameTag|NameWeekDay|NamesFilter|NamesFilterShort|NamesFuncsSmallSemisInEnum|NamesFuncsSmallSemisInIter|NamesGVars|NamesKnownPropertiesOfPolymakeObject|NamesLibTom|NamesLocalVariablesFunction|NamesOfComponents|NamesOfEquivalentLibraryCharacterTables|NamesOfFusionSources|NamesSystemGVars|NamesUserGVars|NanosecondsSinceEpoch|NanosecondsSinceEpochInfo|NarrowCongruences|NatTrIdToHomHom_R|NativeSCTableForm2SCTableForm|NaturalActedSpace|NaturalBijectionToAssociativeAlgebra|NaturalBijectionToLieAlgebra|NaturalBijectionToNormalizedUnitGroup|NaturalBijectionToPcNormalizedUnitGroup|NaturalCharacter|NaturalDuality|NaturalDualityHermitian|NaturalDualitySymplectic|NaturalEmbeddingByFieldReduction|NaturalEmbeddingBySubfield|NaturalEmbeddingBySubspace|NaturalEmbeddingBySubspaceNC|NaturalGeneralizedEmbedding|NaturalHomomorphism|NaturalHomomorphismByGenerators|NaturalHomomorphismByIdeal|NaturalHomomorphismByLattices|NaturalHomomorphismByNormalSubgroup|NaturalHomomorphismByNormalSubgroupInParent|NaturalHomomorphismByNormalSubgroupNC|NaturalHomomorphismByNormalSubgroupNCInParent|NaturalHomomorphismByNormalSubgroupNCOp|NaturalHomomorphismByNormalSubgroupNCOrig|NaturalHomomorphismByNormalSubgroupOp|NaturalHomomorphismByNormalSubloop|NaturalHomomorphismByPcp|NaturalHomomorphismBySemiEchelonBases|NaturalHomomorphismBySubAlgebraModule|NaturalHomomorphismBySubspace|NaturalHomomorphismBySubspaceOntoFullRowSpace|NaturalHomomorphismOfLieAlgebraFromNilpotentGroup|NaturalHomomorphismOnHolonomyGroup|NaturalHomomorphismsPool|NaturalIsomorphismByPcgs|NaturalIsomorphismFromIdentityToCanonicalizeZeroMorphisms|NaturalIsomorphismFromIdentityToCanonicalizeZeroObjects|NaturalIsomorphismFromIdentityToGetRidOfZeroGeneratorsLeft|NaturalIsomorphismFromIdentityToGetRidOfZeroGeneratorsRight|NaturalIsomorphismFromIdentityToLessGeneratorsLeft|NaturalIsomorphismFromIdentityToLessGeneratorsRight|NaturalIsomorphismFromIdentityToStandardModuleLeft|NaturalIsomorphismFromIdentityToStandardModuleRight|NaturalLeqBlockBijection|NaturalLeqInverseSemigroup|NaturalLeqPartialPerm|NaturalLeqPartialPermBipartition|NaturalMapFromExteriorComplexToRightAdjoint|NaturalMapToModuleOfGlobalSections|NaturalMapToModuleOfGlobalSectionsTruncatedAtCertainDegree|NaturalMorphismByNormalSubPreXMod|NaturalPartialOrder|NaturalProjectionBySubspace|NaturalProjectionBySubspaceNC|NaturalTransformation|NaturalTransformationCache|NaturalTransformationFromIdentityToDoubleDualLeft|NaturalTransformationFromIdentityToDoubleDualRight|NaturalTransformationFunction|NaturalTransformationOperation|NautyAutomorphismGroup|NautyCanonicalDigraph|NautyCanonicalDigraphAttr|NautyCanonicalLabelling|NautyColorData|NautyDense|Ncols|NearAdditiveGroup|NearAdditiveGroupByGenerators|NearAdditiveMagma|NearAdditiveMagmaByGenerators|NearAdditiveMagmaWithInverses|NearAdditiveMagmaWithInversesByGenerators|NearAdditiveMagmaWithZero|NearAdditiveMagmaWithZeroByGenerators|NearRingActingOnNGroup|NearRingCommutator|NearRingCommutatorsTable|NearRingElementByGroupRep|NearRingGeneratorsForHomomorphisms|NearRingIdealByGenerators|NearRingIdealBySubgroupNC|NearRingIdealClosureOfSubgroup|NearRingIdeals|NearRingLeftIdealByGenerators|NearRingLeftIdealBySubgroupNC|NearRingLeftIdealClosureOfSubgroup|NearRingLeftIdealClosureOfSubgroupDefault|NearRingLeftIdeals|NearRingMultiplicationByOperationTable|NearRingRightIdealByGenerators|NearRingRightIdealBySubgroupNC|NearRingRightIdealClosureOfSubgroup|NearRingRightIdeals|NearRingUnits|NearestNeighborDecodewords|NearestNeighborGRSDecodewords|NearlyCharacterTablesFamily|NearlyGorensteinVectors|NegacirculantMatrix|Negate|NegateWord|NegativeInfinity|NegativeInhomoCochain@SptSet|NegativePart|NegativePartFrom|NegativeRepeatDegrees|NegativeRootVectors|NegativeRoots|NegativeRootsFC|NeighborsOfVertex|Nerve|NerveOfCatOneGroup|NerveOfCommutativeDiagram|NerveOfCover|NestedMatrixCoefficient|NestedMatrixState|NestingDepthA|NestingDepthM|NeumannGroup|NeumannMachine|NeuralNetwork|NeverApplicable|NewAttribute|NewBasis|NewCategory|NewClass|NewCompanionMatrix|NewCompositionOfStraightLinePrograms|NewConnection|NewConstructor|NewDeque|NewDictionary|NewEvalBCH|NewFIFO|NewFRMachineRWS|NewFamily|NewFilter|NewFloat|NewGroupFRMachine|NewGroupGraph|NewHT|NewHeap|NewHomalgGenerators|NewIdentityMatrix|NewIdentityMatrixOverFiniteField|NewInfoClass|NewIntegerLeaf|NewInternalRegion|NewKernelRegion|NewLeaf|NewLibraryRegion|NewLocation|NewMatrix|NewMatrixOverFiniteField|NewMonoidFRMachine|NewNode|NewOperation|NewPlace|NewPregroupPresentation|NewPregroupRelator|NewPregroupWord|NewPresentables|NewProcess|NewProductOfStraightLinePrograms|NewProperty|NewRegion|NewRegionWithPrecedence|NewRepresentation|NewRowBasisOverFiniteField|NewRowVector|NewSCSCPconnection|NewSemigroupFRMachine|NewSpecialRegion|NewStatisticsObject|NewTCPConnection|NewToBeDefinedObj|NewToDoList|NewType|NewUUID|NewValueCallback|NewVector|NewZeroMatrix|NewZeroMatrixOverFiniteField|NewZeroVector|NewmanInfinityCriterion|Next|NextAvailableChild|NextDemoBlock|NextElementOfNumericalSemigroup|NextGap|NextIterator|NextIterator_AllCat1Groups|NextIterator_AllCat1GroupsWithImage|NextIterator_AllCat2Groups|NextIterator_AllCat2GroupsWithImages|NextIterator_AllIsomorphisms|NextIterator_AllSubgroups|NextIterator_Basis|NextIterator_Cartesian|NextIterator_CartesianIterator|NextIterator_CoKernelGens|NextIterator_Combinations_mset|NextIterator_Combinations_set|NextIterator_Concatenation|NextIterator_DenseList|NextIterator_FiniteFullRowModule|NextIterator_FreeGroup|NextIterator_FreeSemigroup|NextIterator_HashMap|NextIterator_HashSet|NextIterator_InfiniteFullRowModule|NextIterator_List|NextIterator_LowIndexSubgroupsFpGroup|NextIterator_Partitions|NextIterator_PartitionsSet|NextIterator_PartitionsSetGivenSize|NextIterator_PartitionsSetGivenSizeOrLess|NextIterator_Rationals|NextIterator_SimGp|NextIterator_SparseMatrix|NextIterator_StabChain|NextIterator_Subspaces|NextIterator_SubspacesAll|NextIterator_SubspacesDim|NextIterator_Trivial|NextIterator_Tuples|NextIterator_UnorderedPairs|NextIterator_WeylOrbit|NextL2Q|NextLevelMaximals|NextLevelRegularGroups|NextLocation|NextNonsimple|NextOrdering|NextPath|NextPlaces|NextPrimeInt|NextProbablyPrimeInt|NextRBasePoint|NextStepCentralizer|NextStepRepresentation|NextWord|NextWords|Nexus|Ngs|NiceAlgebraMonomorphism|NiceBasis|NiceBasisFiltersInfo|NiceBasisNC|NiceFreeLeftModule|NiceFreeLeftModuleForFLMLOR|NiceFreeLeftModuleInfo|NiceGens|NiceHybridGroup|NiceInitGroup|NiceInitGroupNL|NiceMonomorphism|NiceMonomorphismAutomGroup|NiceMonomorphismByDomain|NiceMonomorphismByOrbit|NiceNormalFormByExtRepFunction|NiceObject|NiceObjectAutoGroupGroupoid|NiceStringAssocWord|NiceToCryst|NiceToCrystStdRep|NiceVector|NicomorphismFFMatGroupOnFullSpace|NicomorphismOfGeneralMatrixGroup|Nil3TensorSquare|NilPrimMatGroups|Nillity|NilpotencyClassOf2DimensionalGroup|NilpotencyClassOfGroup|NilpotencyClassOfLoop|NilpotencyDegree|NilpotentBasis|NilpotentByAbelianByFiniteSeries|NilpotentByAbelianNormalSubgroup|NilpotentElements|NilpotentEngelQuotient|NilpotentGroups|NilpotentLieAlgebra|NilpotentLieAutomorphism|NilpotentLoop|NilpotentOrbit|NilpotentOrbits|NilpotentOrbitsOfRealForm|NilpotentOrbitsOfThetaRepresentation|NilpotentPrimitiveMatGroups|NilpotentProjector|NilpotentQuotient|NilpotentQuotientIdentical|NilpotentQuotientIterator|NilpotentQuotientOfFpAlgebra|NilpotentQuotientOfFpLieAlgebra|NilpotentQuotientSystem|NilpotentQuotients|NilpotentResidual|NilpotentSemigroupsByCoclass|NilpotentSemigroupsCoclass0|NilpotentSemigroupsCoclass1|NilpotentSemigroupsCoclass2|NilpotentSemigroupsCoclass2Rank2|NilpotentSemigroupsCoclass2Rank3|NilpotentSemigroupsCoclassD|NilpotentSemigroupsCoclassD_NC|NilpotentTable|NilpotentTableOfRad|NinKernelCSPG|Ninfinity|NmzAffineDim|NmzAllGeneratorsTriangulation|NmzAmbientAutomorphisms|NmzApproximate|NmzAutomorphisms|NmzAxesScaling|NmzBasicStanleyDec|NmzBasicTriangulation|NmzBasisChange|NmzBigInt|NmzBottomDecomposition|NmzClassGroup|NmzCombinatorialAutomorphisms|NmzCompute|NmzCone|NmzConeDecomposition|NmzConeProperty|NmzCongruences|NmzCoveringFace|NmzDefaultMode|NmzDeg1Elements|NmzDehomogenization|NmzDescent|NmzDistributedComp|NmzDualFVector|NmzDualFaceLattice|NmzDualIncidence|NmzDualMode|NmzDynamic|NmzEhrhartQuasiPolynomial|NmzEhrhartSeries|NmzEmbeddingDimension|NmzEquations|NmzEuclideanAutomorphisms|NmzEuclideanIntegral|NmzEuclideanVolume|NmzExcludedFaces|NmzExploitAutomsVectors|NmzExploitIsosMult|NmzExternalIndex|NmzExtremeRays|NmzExtremeRaysFloat|NmzFVector|NmzFaceLattice|NmzFixedPrecision|NmzFullConeDynamic|NmzGeneratorOfInterior|NmzGenerators|NmzGrading|NmzGradingDenom|NmzGradingIsPositive|NmzHSOP|NmzHasConeProperty|NmzHilbertBasis|NmzHilbertQuasiPolynomial|NmzHilbertSeries|NmzIncidence|NmzInclusionExclusionData|NmzInputAutomorphisms|NmzIntegerHull|NmzIntegral|NmzInternalIndex|NmzIsDeg1ExtremeRays|NmzIsDeg1HilbertBasis|NmzIsEmptySemiOpen|NmzIsGorenstein|NmzIsInhomogeneous|NmzIsIntegrallyClosed|NmzIsPointed|NmzIsReesPrimary|NmzIsTriangulationNested|NmzIsTriangulationPartial|NmzKeepOrder|NmzKnownConeProperties|NmzLatticePointTriangulation|NmzLatticePoints|NmzMaximalSubspace|NmzModuleGenerators|NmzModuleGeneratorsOverOriginalMonoid|NmzModuleRank|NmzMultiplicity|NmzNoBottomDec|NmzNoDescent|NmzNoGradingDenom|NmzNoLLL|NmzNoNestedTri|NmzNoPeriodBound|NmzNoProjection|NmzNoRelax|NmzNoSignedDec|NmzNoSubdivision|NmzNoSymmetrization|NmzNumberLatticePoints|NmzOriginalMonoidGenerators|NmzPlacingTriangulation|NmzPrimalMode|NmzPrintConeProperties|NmzProjectCone|NmzProjection|NmzProjectionFloat|NmzPullingTriangulation|NmzPullingTriangulationInternal|NmzRank|NmzRationalAutomorphisms|NmzRecessionRank|NmzReesPrimaryMultiplicity|NmzRenfVolume|NmzSetVerbose|NmzSetVerboseDefault|NmzSignedDec|NmzStanleyDec|NmzStatic|NmzStrictIsoTypeCheck|NmzSublattice|NmzSuppHypsFloat|NmzSupportHyperplanes|NmzSymmetrize|NmzTestArithOverflowDescent|NmzTestArithOverflowDualMode|NmzTestArithOverflowFullCone|NmzTestArithOverflowProjAndLift|NmzTestLargePyramids|NmzTestLibNormaliz|NmzTestLinearAlgebraGMP|NmzTestSimplexParallel|NmzTestSmallPyramids|NmzTriangulation|NmzTriangulationDetSum|NmzTriangulationSize|NmzUnimodularTriangulation|NmzUnitGroupIndex|NmzVerticesFloat|NmzVerticesOfPolyhedron|NmzVirtualMultiplicity|NmzVolume|NmzWeightedEhrhartQuasiPolynomial|NmzWeightedEhrhartSeries|NmzWitnessNotIntegrallyClosed|NodeOfHighLevel|NoetherNormalization|NoetherianQuotient|NoetherianQuotient2|NoetherianQuotientFlag|NonACEbinOptions|NonAbelianExteriorSquare|NonAbelianExteriorSquareEpimorphism|NonAbelianExteriorSquarePlus|NonAbelianExteriorSquarePlusEmbedding|NonAbelianTensorSquare|NonAbelianTensorSquareEpimorphism|NonAbelianTensorSquarePlus|NonAbelianTensorSquarePlusEpimorphism|NonAdmissibleForPseudoFrobenius|NonCentralAbelian|NonCompactDimension|NonConjLookUpTupleFP|NonFlatLocus|NonFreeResolutionFiniteSubgroup|NonLieNilpotentElement|NonNilpotentElement|NonPerfectCSPG|NonRegularCWBoundary|NonSimpleAut|NonSimpleOnePointAdditionTransducer|NonSolvableLieAlgebra|NonSplitExtensions|NonTrivialDegreePerColumn|NonTrivialDegreePerColumnWithRowPositionFunction|NonTrivialDegreePerRow|NonTrivialDegreePerRowWithColPositionFunction|NonTrivialEquivalenceClasses|NonTrivialFactorization|NonTrivialRightHandSides|NonZeroColumns|NonZeroGenerators|NonZeroGeneratorsTransformationTripleLeft|NonZeroGeneratorsTransformationTripleRight|NonZeroRows|NonabelianExteriorProduct|NonabelianExteriorSquare|NonabelianSymmetricKernel|NonabelianSymmetricKernel_alt|NonabelianSymmetricSquare|NonabelianSymmetricSquare_inf|NonabelianTensorProduct|NonabelianTensorProduct_Inf|NonabelianTensorProduct_alt|NonabelianTensorSquare|NonabelianTensorSquareAsCatOneGroup|NonabelianTensorSquareAsCrossedModule|NonabelianTensorSquare_inf|NonassocWord|NoncommutativeMonomialOrderingsFamily|NoncrossingPartitionsLatticeDisplay|NonemptyGeneratorsOfGroup|NoninvertiblePrimes|NonnegIntScalarProducts|NonnegativeIntegers|NonsplitExtension|NontipSize|Nontips|NontrivialRepresentativesModNormalSubgroup|NorSerPermPcgs|NordstromRobinsonCode|Norm|NormCosetsDescriptionPari|NormCosetsOfNumberField|NormOfBoundedFRElement|NormOfIdeal|NormalBase|NormalClosure|NormalClosureInParent|NormalClosureOp|NormalComplement|NormalComplementNC|NormalForm|NormalFormConsistencyRelations|NormalFormFunction|NormalFormGGRWS|NormalFormIntMat|NormalFormKBRWS|NormalGeneratorsOfNilpotentResidual|NormalHallSubgroups|NormalHallSubgroupsFromSylows|NormalIntersection|NormalIntersectionPcgs|NormalMaximalSubgroups|NormalNodes|NormalNodesOp|NormalSeriesByPcgs|NormalSeriesToQuotientDiagram|NormalSeriesToQuotientHomomorphisms|NormalSgsForQuotientImages|NormalSgsHavingAtMostNSigs|NormalSubCat1Groups|NormalSubCat2Groups|NormalSubCrossedSquares|NormalSubXMods|NormalSubgroupAsCatOneGroup|NormalSubgroupClasses|NormalSubgroupClassesInfo|NormalSubgroupoid|NormalSubgroups|NormalSubgroupsAbove|NormalSubgroupsCalc|NormalSubgroupsCyclicFactor|NormalSubgroupsForRep|NormalTorsionSubgroup|NormalTorsionSubgroupPcpGroup|Normalise|Normaliser|NormaliserInGLnZ|NormaliserInGLnZBravaisGroup|NormaliserInParent|NormaliserOp|NormaliserStabCSPG|NormaliserTom|NormalisersTom|NormalizObjectFamily|NormalizeGradedMorphism|NormalizeNameAndKey|NormalizeRightModuleElement|NormalizeSemigroup|NormalizeWhitespace|NormalizedArgList|NormalizedAutomaton|NormalizedCospan|NormalizedCospanTuple|NormalizedElementOfMagmaRingModuloRelations|NormalizedNameAndKey|NormalizedNameOfGroup|NormalizedPcgs|NormalizedPrincipalFactor|NormalizedQuasigroupTable|NormalizedRelator|NormalizedSpan|NormalizedSpanTuple|NormalizedUnitCF|NormalizedUnitCFcommutator|NormalizedUnitCFmod|NormalizedUnitCFpower|NormalizedUnitGroup|NormalizedWhitespace|Normalizer|NormalizerBySeries|NormalizerComplement|NormalizerCongruenceAction|NormalizerHomogeneousAction|NormalizerInGLnZ|NormalizerInGLnZBravaisGroup|NormalizerInHomePcgs|NormalizerInParent|NormalizerInWholeGroup|NormalizerIntegralAction|NormalizerOfComplement|NormalizerOfIntersection|NormalizerOfPronormalSubgroup|NormalizerOp|NormalizerParentSA|NormalizerPcpGroup|NormalizerPermGroup|NormalizerPointGroupInGLnZ|NormalizerStabCSPG|NormalizerTom|NormalizerViaRadical|NormalizerZClass|NormalizersTom|NormalizingReducedGL|NormedLPR|NormedPcpElement|NormedRowVector|NormedRowVectors|NormedVectors|NormingExponent|NorrieXMod|NotComputedNode|NotConstructedAsAnIdeal|NotEnoughInformation|NotFSA|NotifiedFusionsOfLibTom|NotifiedFusionsToLibTom|NotifyBrauerTable|NotifyBrauerTables|NotifyCharTable|NotifyCharacterTable|NotifyCharacterTables|NotifyGroupInfoForCharacterTable|NotifyNameOfCharacterTable|NqCallANU_NQ|NqCompleteParameters|NqDefaultOptions|NqElementaryDivisors|NqEpimorphismByNqOutput|NqEpimorphismNilpotentQuotient|NqEpimorphismNilpotentQuotientIterator|NqEpimorphismNilpotentQuotientLpGroup|NqExamples|NqGapOutput|NqGlobalVariables|NqInitFromTheLeftCollector|NqOneTimeOptions|NqParameterStrings|NqPcpElementByWord|NqPcpGroupByCollector|NqPcpGroupByNqOutput|NqPrepareInput|NqPrepareOutput|NqReadOutput|NqRuntime|NqStringExpTrees|NqStringFpGroup|Nr3NilpotentSemigroups|NrAffinePrimitiveGroups|NrAllRefinedSets|NrAllRefinedSums|NrArrangements|NrArrangementsMSetA|NrArrangementsMSetK|NrArrangementsSetA|NrArrangementsSetK|NrArrangementsX|NrBasisVectors|NrBitsInt|NrBlockDesignBlocks|NrBlockDesignPoints|NrBlocks|NrCharsUTF8String|NrClassPairs|NrCols|NrColumns|NrCombinations|NrCombinationsMSetA|NrCombinationsMSetK|NrCombinationsSetA|NrCombinationsSetK|NrCombinationsX|NrCompatiblePolynomials|NrComponentsOfPartialPerm|NrComponentsOfTransformation|NrConjugacyClasses|NrConjugacyClassesGL|NrConjugacyClassesGU|NrConjugacyClassesInSupergroup|NrConjugacyClassesOfCTZOfOrder|NrConjugacyClassesOfRCWAZOfOrder|NrConjugacyClassesPGL|NrConjugacyClassesPGU|NrConjugacyClassesPSL|NrConjugacyClassesPSU|NrConjugacyClassesSL|NrConjugacyClassesSLIsogeneous|NrConjugacyClassesSU|NrConjugacyClassesSUIsogeneous|NrCrystalFamilies|NrCrystalSystems|NrCyclicCodes|NrDClasses|NrDadeGroups|NrDerangements|NrDerangementsK|NrElementsOfCTZWithGivenModulus|NrElementsOfIncidenceStructure|NrElementsVertex|NrEquivalenceClasses|NrFanoPlanesAtPoints|NrFixedPoints|NrGenerators|NrGeneratorsForRelations|NrHClasses|NrIdempotents|NrIdempotentsByRank|NrInputsOfStraightLineDecision|NrInputsOfStraightLineProgram|NrIrreducibleSolvableGroups|NrLClasses|NrLeftBlocks|NrMaximalSubsemigroups|NrMovedPoints|NrMovedPointsPerm|NrMovedPointsPerms|NrNilpotentLieAlgebras|NrOfAllowablePositions|NrOrderedPartitions|NrPartitionTuples|NrPartitions|NrPartitionsSet|NrPerfectGroups|NrPerfectLibraryGroups|NrPermutationsList|NrPolyhedralSubgroups|NrPrimitiveGroups|NrQClassesCrystalSystem|NrRClasses|NrRegularDClasses|NrRelations|NrRelationsForRelations|NrResidues|NrRestrictedPartitions|NrRestrictedPartitionsK|NrRightBlocks|NrRows|NrSRGs|NrSmallBraces|NrSmallCycleSets|NrSmallGroups|NrSmallIYB|NrSmallPregroups|NrSmallQLCycleSets|NrSmallSemigroups|NrSmallSkewbraces|NrSmallTauGroups|NrSolvableAffinePrimitiveGroups|NrSomeRefinedSets|NrSomeRefinedSums|NrSpaceGroupTypesZClass|NrSpanningTrees|NrStrongGenerators|NrSubsTom|NrSyllables|NrToElm|NrTransitiveGroups|NrTransverseBlocks|NrTuples|NrUnorderedTuples|NrZClassesQClass|Nrows|NrsWithDefsets|NthPowerOfArrowIdeal|NthRoot|NthRootsInGroup|NthSyzygy|Ntimesg|NuRadical|NuRadicals|Nuc|NuclearExtension|NuclearRank|Nucleus|NucleusMachine|NucleusOfFRAlgebra|NucleusOfFRMachine|NucleusOfFRSemigroup|NucleusOfLoop|NucleusOfParabolicQuadric|NucleusOfQuasigroup|NullAlgebra|NullBlockMat|NullCode|NullCompletionAut|NullCompletionAutomaton|NullDigraph|NullGraph|NullList|NullMapMatrix|NullMat|NullPPowerPolyLocMat|NullPPowerPolyMat|NullVector|NullWord|NullspaceIntMat|NullspaceIntMod|NullspaceMat|NullspaceMatDestructive|NullspaceMatMod|NullspaceMatMutable|NullspaceMatMutableX|NullspaceModN|NullspaceModQ|NullspaceModRank|NullspaceRatMat|NullspaceSparseMatDestructive|NumAlgGensNP|NumAlgGensNPList|NumBol|NumModGensNP|NumModGensNPList|NumSgpsCanUse4ti2|NumSgpsCanUse4ti2gap|NumSgpsCanUseNI|NumSgpsCanUseSI|NumSgpsCanUseSingular|NumSgpsInfo|NumSgpsTest|NumSgpsUse4ti2|NumSgpsUse4ti2gap|NumSgpsUseEliminationForMinimalPresentations|NumSgpsUseNormaliz|NumSgpsUseSingular|NumSgpsUseSingularInterface|NumSgpsWarnUseSingular|Number|NumberAcceptedWords|NumberArgumentsFunction|NumberBlist|NumberBooleanMat|NumberCFGroups|NumberCFSolvableGroups|NumberCells|NumberChecks|NumberClassPairs|NumberColumns|NumberConnectedQuandles|NumberCoset|NumberDigits|NumberElement_Basis|NumberElement_Cartesian|NumberElement_ConjugacyClassPermGroup|NumberElement_DoubleCoset|NumberElement_ExtendedVectors|NumberElement_ExtendedVectorsFF|NumberElement_ExternalOrbitByStabilizer|NumberElement_FiniteFullRowModule|NumberElement_FreeGroup|NumberElement_FreeMagma|NumberElement_FreeMonoid|NumberElement_FreeSemigroup|NumberElement_IdealOfNumericalSemigroup|NumberElement_InfiniteFullRowModule|NumberElement_NormedRowVectors|NumberElement_NumericalSemigroup|NumberElement_PermGroup|NumberElement_RationalClassGroup|NumberElement_RationalClassPermGroup|NumberElement_Rationals|NumberElement_RightCoset|NumberElement_SemigroupIdealEnumerator|NumberElement_Subset|NumberElement_ZmodnZ|NumberFFVector|NumberField|NumberFixedLines|NumberFixedVectors|NumberGeneratingTuples|NumberGeneratorsOfGroupHomology|NumberGeneratorsOfRws|NumberIrreducibleSolvableGroups|NumberLibraryNearRings|NumberLibraryNearRingsWithOne|NumberOfArrows|NumberOfClass2AssocAlgebras|NumberOfClass2AssocAlgebrasByDim|NumberOfClass2LieAlgebras|NumberOfCommProducts|NumberOfCommutatorProducts|NumberOfCommutators|NumberOfComplementsOfAlmostCompleteCotiltingModule|NumberOfComplementsOfAlmostCompleteTiltingModule|NumberOfConesOfFan|NumberOfDicksonNearFields|NumberOfFirstNonZeroFittingIdeal|NumberOfGeneratingTuples|NumberOfGenerators|NumberOfHomomorphisms|NumberOfHomomorphisms_connected|NumberOfHomomorphisms_groups|NumberOfIndecomposables|NumberOfJoints|NumberOfLettersFSA|NumberOfLiePRings|NumberOfLiePRingsInFamily|NumberOfLines|NumberOfNewGenerators|NumberOfNielsenTuples|NumberOfNonIsoDirSummands|NumberOfPClass2PGroups|NumberOfPrimeKnots|NumberOfProjectives|NumberOfResidues|NumberOfStates|NumberOfStatesFSA|NumberOfTotallySingularSubspaces|NumberOfVertex|NumberOfVertices|NumberOfZeros|NumberOp|NumberPBR|NumberParts|NumberPerfectGroups|NumberPerfectLibraryGroups|NumberRealForms|NumberRows|NumberSmallCatOneGroups|NumberSmallCrossedModules|NumberSmallGroups|NumberSmallGroupsAvailable|NumberSmallQuasiCatOneGroups|NumberSmallQuasiCrossedModules|NumberSmallRings|NumberSpaceGroups|NumberStatesOfAutomaton|NumberSubgroupRWS|NumberSyllables|NumberTransformation|NumbersString|Numerator|NumeratorOfGFSElement|NumeratorOfHilbertPoincareSeries|NumeratorOfModuloPcgs|NumeratorOfPcp|NumeratorOfRationalFunction|NumeratorRat|NumericalDuplication|NumericalSemigroup|NumericalSemigroupByAffineMap|NumericalSemigroupByAperyList|NumericalSemigroupByFundamentalGaps|NumericalSemigroupByGaps|NumericalSemigroupByGenerators|NumericalSemigroupByInterval|NumericalSemigroupByNuSequence|NumericalSemigroupByOpenInterval|NumericalSemigroupBySmallElements|NumericalSemigroupBySmallElementsNC|NumericalSemigroupBySubAdditiveFunction|NumericalSemigroupByTauSequence|NumericalSemigroupDuplication|NumericalSemigroupFromNumericalSemigroupPolynomial|NumericalSemigroupGS|NumericalSemigroupListGS|NumericalSemigroupPolynomial|NumericalSemigroupWithGivenElementsAndFrobenius|NumericalSemigroupWithRandomElementsAndFrobenius|NumericalSemigroupsPlanarSingularityWithFrobeniusNumber|NumericalSemigroupsType|NumericalSemigroupsWithFrobeniusNumber|NumericalSemigroupsWithFrobeniusNumberAndMultiplicity|NumericalSemigroupsWithFrobeniusNumberFG|NumericalSemigroupsWithGenus|NumericalSemigroupsWithPseudoFrobeniusNumbers|OBJBYEXTREP_MPFR|OBJECT_PRINT_STRING|OBJ_HANDLE|OBJ_MAP|OBJ_MAP_KEYS|OBJ_MAP_VALUES|OBJ_SET|OBJ_SET_VALUES|OCAddBigMatrices|OCAddCentralizer|OCAddComplement|OCAddGenerators|OCAddGeneratorsGeneral|OCAddGeneratorsPcgs|OCAddMatrices|OCAddRelations|OCAddSumMatrices|OCAddToFunctions|OCAddToFunctions2|OCConjugatingWord|OCCoprimeComplement|OCEquationMatrix|OCEquationVector|OCEquationVectorAutom|OCNormalRelations|OCOneCoboundaries|OCOneCocycles|OCSmallEquationMatrix|OCSmallEquationVector|OCTestRelations|OCTestRelators|OFFSET_VARS|OKtoReadFromUtils|OKtoReadFromUtilsSpec|OMGetObject|OMGetObjectWithAttributes|OMINT_LIMIT|OMIndent|OMIrredMatEntryPut|OMIsNotDummyLeaf|OMOBJ_TAG|OMObjects|OMParseXmlObj|OMPlainString|OMPlainStringDefaultType|OMPlainStringsFamily|OMPrint|OMPut|OMPutApplication|OMPutByteArray|OMPutEndOMA|OMPutEndOMATP|OMPutEndOMATTR|OMPutEndOMBIND|OMPutEndOMBVAR|OMPutEndOME|OMPutEndOMOBJ|OMPutError|OMPutForeign|OMPutIrredMat|OMPutList|OMPutListVar|OMPutOMA|OMPutOMATP|OMPutOMATTR|OMPutOMAWithId|OMPutOMBIND|OMPutOMBINDWithId|OMPutOMBVAR|OMPutOME|OMPutOMOBJ|OMPutObject|OMPutObjectNoOMOBJtags|OMPutProcedureCall|OMPutProcedureCompleted|OMPutProcedureTerminated|OMPutReference|OMPutSymbol|OMPutVar|OMReference|OMString|OMTempVars|OMTest|OMTestBinary|OMTestXML|OMWriteLine|OM_GAP_ERROR_STR|OM_GAP_OUTPUT_STR|OM_append_new|OM_append_private|OMgap1ARGS|OMgap2ARGS|OMgapAnd|OMgapAssign|OMgapAssignFunc|OMgapCharacterTableOfGroup|OMgapConjugacyClass|OMgapDerivedSubgroup|OMgapDivide|OMgapElementSet|OMgapEq|OMgapGcd|OMgapGe|OMgapGt|OMgapId|OMgapIn|OMgapIntersect|OMgapIsAbelian|OMgapIsNormal|OMgapIsPrimitive|OMgapIsSubgroup|OMgapIsTransitive|OMgapLe|OMgapList|OMgapLt|OMgapMap|OMgapMatrix|OMgapMatrixRow|OMgapNativeError|OMgapNativeErrorFunc|OMgapNativeOutput|OMgapNativeOutputFunc|OMgapNativeStatement|OMgapNativeStatementFunc|OMgapNeq|OMgapNormalClosure|OMgapNot|OMgapNthRootOfUnity|OMgapOr|OMgapOrbit|OMgapPermutation|OMgapPlus|OMgapPower|OMgapQuit|OMgapQuitFunc|OMgapQuotient|OMgapQuotientGroup|OMgapRem|OMgapRetrieve|OMgapRetrieveFunc|OMgapSet|OMgapSetDiff|OMgapStabilizer|OMgapSuchthat|OMgapSylowSubgroup|OMgapTimes|OMgapUnion|OMgapXor|OMgap_DMP|OMgap_SDMP|OMgap_field_by_poly|OMgap_field_by_poly_vector|OMgap_poly_ring_d|OMgap_poly_ring_d_named|OMgap_poly_u_rep|OMgap_term|OMgetInteger|OMgetObjectByteStream|OMgetObjectXMLTree|OMgetObjectXMLTreeWithAttributes|OMgetString|OMgetSymbol|OMgetToken|OMgetVar|OMinstreamNextByte|OMinstreamPopByte|OMinstreamPopString|OMnextToken|OMparseApplication|OMparseAttribution|OMparseBind|OMparseObject|OMquaternion_group|OMsymLookup|OMsymRecord|OMsymRecord_new|OMsymRecord_private|OMtokenApp|OMtokenAtp|OMtokenAttr|OMtokenBVar|OMtokenBind|OMtokenByteArray|OMtokenComment|OMtokenDelimiter|OMtokenEndApp|OMtokenEndAtp|OMtokenEndAttr|OMtokenEndBVar|OMtokenEndBind|OMtokenEndError|OMtokenEndObject|OMtokenError|OMtokenFloat|OMtokenInteger|OMtokenObject|OMtokenString|OMtokenSymbol|OMtokenVar|OMtokenWCString|ONE|ONE@FR|ONE_MATRIX_IMMUTABLE|ONE_MATRIX_MUTABLE|ONE_MATRIX_SAME_MUTABILITY|ONE_MPFR|ONE_MUT|ONE_SAMEMUT|ON_KERNEL_ANTI_ACTION|ONanScottType|OPERATIONS|OPERATIONS_REGION|OPERS_CACHE_INFO|OPER_FLAGS|OPER_SetupAttribute|OPER_TO_ATTRIBUTE|OPER_TO_MUTABLE_ATTRIBUTE|ORB|ORBC|ORBS_PERMGP_PTS|ORB_ActionHomMapper|ORB_ActionOnOrbitIntermediateHash|ORB_ApplyWord|ORB_BaseStabilizerChain|ORB_CheckGradeForHash|ORB_ComputeStabChain|ORB_CosetRecogGeneric|ORB_CosetRecogPermgroup|ORB_EmbedBaseChangeTopLeft|ORB_EstimateOrbitSize|ORB_EstimatePermGroupSize|ORB_FindNeedleMappers|ORB_FindStabilizerMC|ORB_GetTransversalElement|ORB_HashFunctionFor8BitVectors|ORB_HashFunctionForCompressedMats|ORB_HashFunctionForGF2Vectors|ORB_HashFunctionForIntList|ORB_HashFunctionForIntegers|ORB_HashFunctionForMatList|ORB_HashFunctionForMemory|ORB_HashFunctionForNBitsPcWord|ORB_HashFunctionForPartialPerms|ORB_HashFunctionForPermutations|ORB_HashFunctionForPlainFlatList|ORB_HashFunctionForShort8BitVectors|ORB_HashFunctionForShortGF2Vectors|ORB_HashFunctionForTransformations|ORB_HashFunctionModWrapper|ORB_InvWord|ORB_IsElementInStabilizerChain|ORB_IsWordInStabilizerChain|ORB_LookForHash|ORB_LookForList|ORB_MakeSchreierGeneratorPerm|ORB_Minimalize|ORB_NormalizeVector|ORB_PermuteBasisVectors|ORB_PowerSet|ORB_PrepareStabgens|ORB_PrettyStringBigNumber|ORB_ProjDownForSpaces|ORB_SLPLineFromWord|ORB_SiftBaseImage|ORB_SiftWord|ORB_SizeStabilizerChain|ORB_StabOrbitComplete|ORB_StabOrbitSearch|ORB_StabilizerChainKnownBase|ORB_StabilizerChainKnownSize|ORB_StoreWordInCache|ORB_WordOp|ORB_WordTuple|ORDER|ORDER2DOT@FR|ORDER@FR|ORDER_PERM|ORIG_RunImmediateMethods|OSTransversalInverse|OUTER_PLANAR_EMBEDDING|OUTPUTTEXTSTRING@FR|OUTPUT_LOG_TO|OUTPUT_LOG_TO_STREAM|OUTPUT_TEXT_FILE|OVERRIDENICE|ObjByExponents|ObjByExtRep|ObjByVector|ObjSetFamily|Object|Object2d|Object2dEndomorphism|ObjectCache|ObjectConstructor|ObjectConverters|ObjectCostar|ObjectCostarNC|ObjectDatum|ObjectDegreesOfBicomplex|ObjectDegreesOfBigradedObject|ObjectDegreesOfComplex|ObjectDegreesOfSpectralSequence|ObjectFilter|ObjectFunctionName|ObjectGroup|ObjectGroupHomomorphism|ObjectGroups|ObjectHomomorphisms|ObjectList|ObjectOfComplex|ObjectStar|ObjectStarNC|ObjectToElement|ObjectTransformationOfGroupoidHomomorphism|ObjectType|Objectify|ObjectifyMorphismWithSourceAndRangeForCAPWithAttributes|ObjectifyObjectForCAPWithAttributes|ObjectifyWithAttributes|ObjectsOfBicomplex|ObjectsOfBigradedObject|ObjectsOfComplex|ObjectsOfFiltration|ObjectsOfSpectralSequence|Obliquity|Obstructions|OccuringVariableIndices|OctaveAlgebra|OddGraph|OddGraphCons|OddPrimitiveAbelianGens|OddSpinVals|OfThose|OldGeneratorsOfPresentation|OldKernelHcommaC|OldSubspaceVectorSpaceGroup|Omega|OmegaAbelianPcpGroup|OmegaAndLowerPCentralSeries|OmegaCons|OmegaMinus|OmegaOp|OmegaPlus|OmegaPrimality|OmegaPrimalityOfAffineSemigroup|OmegaPrimalityOfElementInAffineSemigroup|OmegaPrimalityOfElementInNumericalSemigroup|OmegaPrimalityOfElementListInNumericalSemigroup|OmegaPrimalityOfNumericalSemigroup|OmegaSeries|OmegaSubgroupsByLcs|OmegaZero|Omega_LowerBound|Omega_LowerBound_RANDOM|Omega_Search|Omega_Sims|Omega_Sims_CENTRAL|Omega_Sims_RUNTIME|Omega_UpperBoundAbelianQuotient|Omega_UpperBoundCentralQuotient|Ominus2|Ominus4Even|OminusEven|OnAFreeSource|OnAffineNotPoints|OnAffinePoints|OnAffineSubspaces|OnBasesCase|OnBasis|OnBasisOfPresentation|OnBlist|OnBreak|OnBreakMessage|OnBreakSavedByBrowse|OnCharReadHookActive|OnCharReadHookExcFds|OnCharReadHookExcFuncs|OnCharReadHookExcStreams|OnCharReadHookInFds|OnCharReadHookInFuncs|OnCharReadHookInStreams|OnCharReadHookOutFds|OnCharReadHookOutFuncs|OnCharReadHookOutStreams|OnCosetGeometryElement|OnCurve|OnDigraphs|OnDirectedGraph|OnEdgeColouredDirectedGraph|OnFirstStoredPresentation|OnGAPPromptHook|OnIndeterminates|OnKantorFamily|OnKernelAntiAction|OnLabel|OnLastStoredPresentation|OnLatticeBases|OnLeftBlocks|OnLeftCongruenceClasses|OnLeftInverse|OnLessGenerators|OnLines|OnMatVector|OnMultiDigraphs|OnMultiplicationTable|OnMultisetsRecursive|OnOriginalPresentation|OnPairs|OnPoints|OnPosIntSetsPartialPerm|OnPosIntSetsTrans|OnPreferredPresentation|OnPresentationAdaptedToFiltration|OnPresentationByFirstMorphismOfResolution|OnProjPoints|OnProjPointsWithFrob|OnProjPointsWithFrobWithPSIsom|OnProjSubspaces|OnProjSubspacesExtended|OnProjSubspacesNoFrob|OnProjSubspacesWithFrob|OnProjSubspacesWithFrobWithPSIsom|OnQuit|OnRight|OnRightBlocks|OnRightCongruenceClasses|OnRightSets|OnRightTuplesSets|OnSets|OnSetsDisjointSets|OnSetsProjSubspaces|OnSetsSets|OnSetsTuples|OnSubgroups|OnSubgroupsSet|OnSubmoduleCosets|OnSubspacesByCanonicalBasis|OnSubspacesByCanonicalBasisConcatenations|OnSubspacesByCanonicalBasisGF2|OnTuples|OnTuplesSets|OnTuplesTuples|One|One1_PPGV21|One1_PPGV22|One1_PPGV31|OneAtlasGeneratingSet|OneAtlasGeneratingSetInfo|OneAttr|OneCharacterTableName|OneCoboundaries|OneCoboundariesCR|OneCoboundariesEX|OneCoboundariesSG|OneCocycles|OneCocyclesCR|OneCocyclesEX|OneCocyclesSG|OneCocyclesVector|OneCoefficientPartOfWordNC_LargeGroupRep|OneCoefficientPartOfWord_LargeGroupRep|OneCohomologyCR|OneCohomologyEX|OneCohomologySG|OneConjugateSubgroupNotPermutingWith|OneConjugateSubgroupNotPermutingWithInParent|OneConjugateSubgroupNotPermutingWithOp|OneDiffset|OneDiffsetNoSort|OneElementShowingNotWeaklyNormal|OneElementShowingNotWeaklyNormalInParent|OneElementShowingNotWeaklyNormalOp|OneElementShowingNotWeaklyPermutable|OneElementShowingNotWeaklyPermutableInParent|OneElementShowingNotWeaklyPermutableOp|OneElementShowingNotWeaklySPermutable|OneElementShowingNotWeaklySPermutableInParent|OneElementShowingNotWeaklySPermutableOp|OneFSubgroupNotPermutingWith|OneFactorBound|OneGeneratedNormalSubgroups|OneGroup|OneImmutable|OneInvariantSubgroupMaxWrtNProperty|OneInvariantSubgroupMinWrtQProperty|OneIrredSolMatrixGroup|OneIrreducibleSolubleMatrixGroup|OneIrreducibleSolvableGroup|OneIrreducibleSolvableMatrixGroup|OneLoopTableInGroup|OneLoopWithMltGroup|OneMutable|OneNormalSubgroupMaxWrtNProperty|OneNormalSubgroupMinWrtQProperty|OneOfBaseDomain|OneOfPcgs|OneOfPcp|OneOp|OnePairShowingNotMutuallyFPermutableSubgroups|OnePairShowingNotMutuallyPermutableSubgroups|OnePairShowingNotTotallyFPermutableSubgroups|OnePairShowingNotTotallyPermutableSubgroups|OnePassKB|OnePassReduceWord|OnePointAGCode|OnePointDelete|OnePrimitiveGroup|OnePrimitivePcGroup|OnePrimitiveSolublePermGroup|OnePrimitiveSolublePermutationGroup|OnePrimitiveSolvablePermGroup|OnePrimitiveSolvablePermutationGroup|OneProperLoopTableInGroup|OneSM|OneSRG|OneSameMutability|OneSmallGroup|OneSmallSemigroup|OneSolution|OneStepGreenCase|OneStepReachablePlaces|OneStepRedCase|OneStepSimplePermsAut|OneSubgroupInWhichSubnormalNotNormal|OneSubgroupInWhichSubnormalNotNormalInParent|OneSubgroupInWhichSubnormalNotNormalOp|OneSubgroupInWhichSubnormalNotPermutable|OneSubgroupInWhichSubnormalNotPermutableInParent|OneSubgroupInWhichSubnormalNotPermutableOp|OneSubgroupInWhichSubnormalNotSPermutable|OneSubgroupInWhichSubnormalNotSPermutableInParent|OneSubgroupInWhichSubnormalNotSPermutableOp|OneSubgroupNotPermutingWith|OneSubgroupNotPermutingWithInParent|OneSubgroupNotPermutingWithOp|OneSubnormalNonConjugatePermutableSubgroup|OneSubnormalNonNormalSubgroup|OneSubnormalNonPermutableSubgroup|OneSubnormalNonSNPermutableSubgroup|OneSubnormalNonSPermutableSubgroup|OneSylowSubgroupNotPermutingWith|OneSylowSubgroupNotPermutingWithInParent|OneSylowSubgroupNotPermutingWithOp|OneSystemNormaliserNotPermutingWith|OneSystemNormaliserNotPermutingWithInParent|OneSystemNormaliserNotPermutingWithOp|OneSystemNormalizerNotPermutingWith|OneSystemNormalizerNotPermutingWithInParent|OneSystemNormalizerNotPermutingWithOp|OneTransitiveGroup|OpenExternal|OpenHTTPConnection|OpenIntervalNS|OpenMathBinaryWriter|OpenMathBinaryWriterType|OpenMathDefaultPolynomialRing|OpenMathRealRandomSource|OpenMathWritersFamily|OpenMathXMLWriter|OpenMathXMLWriterType|OperationAlgebraHomomorphism|OperationAndSpaces|OperationOfFunctor|OperationOnH1|OperationOnZ1|OperationRecord|OperationWeightUsingDerivation|Operations|OperatorOfExternalSet|Oplus2|Oplus45|Oplus4Even|OplusEven|Opm3|OpmOdd|OpmSmall|Opposite|OppositeAlgebra|OppositeAlgebraHomomorphism|OppositeCategory|OppositeGroup|OppositeLoop|OppositeNakayamaFunctorOfModule|OppositeNakayamaFunctorOfModuleHomomorphism|OppositePath|OppositePathAlgebra|OppositePathAlgebraElement|OppositeQuasigroup|OppositeQuiver|OppositeQuiverNameMap|OppositeRelations|OptimalityCode|OptimalityLinearCode|OptionsRecordOfKBMAGRewritingSystem|OptionsStack|OrFSA|Orb|OrbActionHomomorphism|OrbSCC|OrbSCCIndex|OrbSCCLookup|OrbifoldTriangulation|Orbit|OrbitByPosOp|OrbitBySuborbit|OrbitBySuborbitBootstrapForLines|OrbitBySuborbitBootstrapForSpaces|OrbitBySuborbitBootstrapForVectors|OrbitBySuborbitFamily|OrbitBySuborbitInner|OrbitBySuborbitKnownSize|OrbitBySuborbitSetupFamily|OrbitChar|OrbitCodim|OrbitCongruenceAction|OrbitDim|OrbitFamily|OrbitFusions|OrbitGraph|OrbitGraphAsSets|OrbitGrowth|OrbitIntegralAction|OrbitIntersectionMatrix|OrbitIrreducibleAction|OrbitIrreducibleActionTrivialKernel|OrbitLength|OrbitLengthOp|OrbitLengths|OrbitLengthsDomain|OrbitMinimumMultistage|OrbitOfDescendant|OrbitOfVertex|OrbitOp|OrbitPartAndRepresentativesInFacesStandardSpaceGroup|OrbitPartInFacesStandardSpaceGroup|OrbitPartInVertexSetsStandardSpaceGroup|OrbitPartition|OrbitPerms|OrbitPolytope|OrbitPowerMaps|OrbitRepresentativesCharacters|OrbitRepresentativesForPlanarNearRing|OrbitShortVectors|OrbitSignalizer|OrbitSplit|OrbitStabChain|OrbitStabGens|OrbitStabiliser|OrbitStabiliserAlgorithm|OrbitStabilizer|OrbitStabilizerAlgorithm|OrbitStabilizerInUnitCubeOnRight|OrbitStabilizerInUnitCubeOnRightOnSets|OrbitStabilizerOp|OrbitStabilizerTranslationAction|OrbitStabilizingParentGroup|OrbitStatisticOnVectorSpace|OrbitStatisticOnVectorSpaceLines|OrbitUnion|OrbitalGraphColadjMats|OrbitalMatrix@RepnDecomp|OrbitalPartition|OrbitishFO|OrbitishReq|Orbits|Orbits512|Orbits53|Orbits538Case1|Orbits538Case2|Orbits6178|Orbits662|OrbitsByPosOp|OrbitsCharacters|OrbitsDomain|OrbitsFromSeedsToOrbitList|OrbitsInfo@RepnDecomp|OrbitsInvariantSubspaces|OrbitsModulo|OrbitsMovedPoints|OrbitsOfAllowableSubgroups|OrbitsPartition|OrbitsPerms|OrbitsRepsAndStabsVectorsMultistage|OrbitsResidueClass|OrbitsishOperation|OrbitsishReq|Ord|Order|OrderAntiEndomorphisms|OrderByDepth|OrderCyc|OrderEndomorphisms|OrderGenerators|OrderGraph|OrderGroupByCanonicalPcgsByNumber|OrderKnownDividendList|OrderMatLimit|OrderMatTrial|OrderMatrixIntegerResidue|OrderMod|OrderModK|OrderOfNakayamaAutomorphism|OrderOfQ|OrderOfRewritingSystem|OrderOfSchurLift|OrderRWS|OrderUsingSections|OrderVertex|OrderedAlphabet|OrderedBy|OrderedCosetSignatureOfSet|OrderedPartitions|OrderedPartitionsA|OrderedPartitionsK|OrderedSetDS|OrderedSetDSFamily|OrderedSigInvariant|OrderedSignatureOfSet|OrderedSigs|OrderedSigsFromQuotientImages|OrderingByLessThanFunctionNC|OrderingByLessThanOrEqualFunctionNC|OrderingGtFunctionListRep|OrderingLtFunctionListRep|OrderingName|OrderingOfAlgebra|OrderingOfKBMAGRewritingSystem|OrderingOfQuiver|OrderingOfRewritingSystem|OrderingOnGenerators|OrderingsFamily|OrdersAISMatrixGroups|OrdersAbsolutelyIrreducibleSolubleMatrixGroups|OrdersAbsolutelyIrreducibleSolvableMatrixGroups|OrdersClassRepresentatives|OrdersPAG|OrdersTom|Ordinal|OrdinaryCharacterTable|OrdinaryFormation|OrientRegularCWComplex|OrientationModule|OrigSeed|OriginalOnQuit|OriginalPathAlgebra|OriginalPositionDocument|OrthogonalComponents|OrthogonalEmbeddings|OrthogonalEmbeddingsSpecialDimension|OrthogonalSpaceInFullRowSpace|OrthogonalSubspace|OrthogonalSubspaceMat|OrthogonalizeBasisByAverageInnerProduct|OrthonormalBasis@RepnDecomp|OscarMacros|OutDegreeOfVertex|OutDegreeOfVertexNC|OutDegreeSequence|OutDegreeSet|OutDegrees|OutLetter|OutNeighbors|OutNeighborsMutableCopy|OutNeighborsOfVertex|OutNeighbours|OutNeighboursMutableCopy|OutNeighboursOfVertex|OutNeighboursOfVertexNC|OutdatePolycyclicCollector|OuterAction|OuterAutoSimplePres|OuterAutomorphismGeneratorsSimple|OuterDistribution|OuterGroup|OuterPlanarEmbedding|OutgoingArrowsOfVertex|Output|OutputAnnotatedCodeCoverageFiles|OutputCoverallsJsonCoverage|OutputFlameGraph|OutputFlameGraphInput|OutputGzipFile|OutputJsonCoverage|OutputLcovCoverage|OutputLogTo|OutputOfMVThresholdElement|OutputOfNeuralNetwork|OutputOfThresholdElement|OutputQueue|OutputTextFile|OutputTextFileStillOpen|OutputTextFileType|OutputTextNone|OutputTextNoneType|OutputTextString|OutputTextStringType|OutputTextUser|OverSemigroups|OverSemigroupsNumericalSemigroup|OverviewMat|OzeroEven|OzeroOdd|P0VertexList|P1VertexList|PACKAGE_DEBUG|PACKAGE_ERROR|PACKAGE_INFO|PACKAGE_WARNING|PADICS_FAMILIES|PAGENRS|PAGER_BUILTIN|PAGER_EXTERNAL|PARSE_EVAL_RULE_FROM_LATEX|PARSE_PREDICATE_IMPLICATION_FROM_LATEX|PARSE_THEOREM_FROM_LATEX|PAdicLinComb|PAndPrimePart|PBIsMinimal|PBR|PBRNC|PBRNumber|PBWElements|PBWMonomial|PCGS_CONJUGATING_WORD_GS|PCGS_NORMALIZER|PCGS_NORMALIZER_COBOUNDS|PCGS_NORMALIZER_DATAE|PCGS_NORMALIZER_GLASBY|PCGS_NORMALIZER_LINEAR|PCGS_NORMALIZER_OPB|PCGS_NORMALIZER_OPC1|PCGS_NORMALIZER_OPC2|PCGS_NORMALIZER_OPD|PCGS_NORMALIZER_OPE|PCGS_STABILIZER|PCGS_STABILIZER_HOMOMORPHIC|PCGens|PCMinimalAutomaton|PCMinimalizedAut|PCPOfGroupByFieldElementsByCPCS|PCPOfTFGroupByFieldElementsByCPCS|PCReducedNFA|PCWP_COLLECTOR|PCWP_FIRST_ENTRY|PCWP_LAST_ENTRY|PCWP_NAMES|PC_ABELIAN_START|PC_COMMUTATORS|PC_COMMUTATORSINVERSE|PC_COMMUTE|PC_CONJUGATES|PC_CONJUGATESINVERSE|PC_DEEP_THOUGHT_BOUND|PC_DEEP_THOUGHT_POLS|PC_DEFAULT_TYPE|PC_DTPConfluent|PC_DTPOrders|PC_DTPPolynomials|PC_EXPONENTS|PC_EXPONENT_STACK|PC_GENERATORS|PC_INVERSECOMMUTATORS|PC_INVERSECOMMUTATORSINVERSE|PC_INVERSECONJUGATES|PC_INVERSECONJUGATESINVERSE|PC_INVERSEPOWERS|PC_INVERSES|PC_NILPOTENT_COMMUTE|PC_NUMBER_OF_GENERATORS|PC_ORDERS|PC_PCP_ELEMENTS_FAMILY|PC_PCP_ELEMENTS_TYPE|PC_POWERS|PC_STACK_POINTER|PC_STACK_SIZE|PC_SYLLABLE_STACK|PC_WEIGHTS|PC_WORD_EXPONENT_STACK|PC_WORD_STACK|PCalculate|PCentralLieAlgebra|PCentralNormalSeriesByPcgsPGroup|PCentralSeries|PCentralSeriesOp|PCentre|PChoose|PClassOfLiePRing|PClassPGroup|PClosureSubalgebra|PCoefficients|PCore|PCoreOp|PCover|PD2GC|PDBooleanFunctionBySTE|PDashPartOfN|PDegree|PDepth|PERFGRP|PERFRec|PERIODICBKG_PREIMAGE@FR|PERMORTRANSFORMATION@FR|PERMTRANS2COLL@FR|PERM_INVERSE_THRESHOLD|PERM_LEFT_QUO_PPERM_NC|PG|PGAutomorphism|PGCharSubgroups|PGFingerprint|PGHybridOrbitStabilizer|PGICS|PGInverse|PGL|PGMatrixOrbitStabilizer|PGMult|PGMultList|PGO|PGOrbitStabilizer|PGOrbitStabilizerBySeries|PGPointFlatBlockDesign|PGPower|PGU|PG_element_normalize|PGammaL|PGroupByLiePRing|PGroupByLiePRing_Old|PGroupToLieRing|PGroups|PIAlgebra|PKGMAN_ArchiveFormats|PKGMAN_AskYesNoQuestion|PKGMAN_BuildPackagesScript|PKGMAN_CheckPackage|PKGMAN_CompileDir|PKGMAN_CreateDirRecursively|PKGMAN_CurlIntReqVer|PKGMAN_CustomPackageDir|PKGMAN_DownloadCmds|PKGMAN_DownloadPackageInfo|PKGMAN_DownloadURL|PKGMAN_Exec|PKGMAN_FlushOutput|PKGMAN_InsertPackageDirectory|PKGMAN_InstallDependencies|PKGMAN_InstallQueue|PKGMAN_IsValidTargetDir|PKGMAN_MakeDoc|PKGMAN_MarkedForInstall|PKGMAN_NameOfGitRepo|PKGMAN_NameOfHgRepo|PKGMAN_Notice|PKGMAN_PackageDir|PKGMAN_PackageInfoURLList|PKGMAN_RefreshPackageInfo|PKGMAN_RemoveDir|PKGMAN_SetCustomPackageDir|PKGMAN_Sysinfo|PKGMAN_Warning|PLAIN_GF2MAT|PLAIN_GF2VEC|PLAIN_MAT8BIT|PLAIN_VEC8BIT|PLANAR_EMBEDDING|PLISTVECZMZMAT|PLength|PMInequality|PMatrix@RepnDecomp|PMultiplicator|PODI|POI|POLYMAKE_COMMAND|POLYMAKE_DATA_DIR|POLYMAKE_LAST_FAIL_REASON|POLYMAKE_PATH|POLYNOMIAL_RESIDUE_CACHE|POL_AbelianIrreducibleGens|POL_AbelianTestGroup|POL_AlmostCrystallographicGroup|POL_BuildBigMatrix|POL_COEFFS_POL_EXTREP|POL_CloseLieAlgebraUnderGrpAction|POL_CloseMatrixSpaceUnderLieBracket|POL_Comm|POL_CompleteRuntime|POL_CompleteRuntime2|POL_CompleteRuntime_FullInfo|POL_CompositionSeriesAbelianRMGroup|POL_CompositionSeriesByRadicalSeries|POL_CompositionSeriesByRadicalSeriesRecalAlg|POL_CompositionSeriesNormalGens|POL_CompositionSeriesTriangularizableRMGroup|POL_ComputePolyZSeries|POL_CopyVectorList|POL_DetermineConjugatorIntegral|POL_DetermineConjugatorTriangular|POL_DetermineFlag|POL_DetermineRealConjugator|POL_DirectProduct|POL_Exp2GenList|POL_Exponential|POL_FirstCloseUnderConjugation|POL_GetPartinK_P|POL_Group|POL_GroupData|POL_HomogeneousSeriesAbelianRMGroup|POL_HomogeneousSeriesByRadicalSeriesRecalAlg|POL_HomogeneousSeriesNormalGens|POL_HomogeneousSeriesPRMGroup|POL_HomogeneousSeriesTriangularizableRMGroup|POL_InducedActionToLieAlgebra|POL_InducedActionToSeries|POL_InverseWord|POL_IrredPol|POL_IsFinitelgeneratedU_p|POL_IsIntegerList|POL_IsIntegralActionOnLieAlgebra|POL_IsIntegralActionOnLieAlgebra_Beals|POL_IsPolyZGroup|POL_IsPolycyclicRationalMatGroup|POL_IsRationalModule|POL_IsSolvableFiniteMatGroup|POL_IsSolvableRationalMatGroup_infinite|POL_IsTriangularizableRationalMatGroup_infinite|POL_IsomorphismToMatrixGroup_finite|POL_IsomorphismToMatrixGroup_infinite|POL_KroneckerProduct|POL_LieAlgebra|POL_Logarithm|POL_MapToUnipotentPcp|POL_MergeCPCS|POL_NextOrbitPoint|POL_NextOrbitPoint2|POL_NextOrbitPoint3|POL_NormalSubgroupGeneratorsOfK_p|POL_NormalSubgroupGeneratorsU_p|POL_PcpGroupByMatGroup_finite|POL_PcpGroupByMatGroup_infinite|POL_PolExamples2|POL_PreImagesPcsI_p_G|POL_PreImagesPcsNueK_p_G|POL_RadicalNormalGens|POL_RadicalSeriesNormalGens|POL_RadicalSeriesNormalGensFullData|POL_RandomGroupElement|POL_RandomRationalTriangularGroup|POL_RandomRationalUnipotentGroup|POL_RandomSubgroup|POL_RandomUnitGroupGens|POL_Runtime|POL_SemidirectProductVectorSpace|POL_SetPcPresentation|POL_SetPcPresentation_finite|POL_SetPcPresentation_infinite|POL_SplitHomogeneous|POL_SplitSemisimple|POL_SubgroupUnitriangularPcpGroup_Mod|POL_SuitableOrbitPoints|POL_TestCPCS_Unipotent|POL_TestCPCS_Unipotent2|POL_TestExpVector_finite|POL_TestExponentVector_AbelianSS|POL_TestFlag|POL_TestIsUnipotenByAbelianGroupByRadSeries|POL_Test_AllFunctions_FeasibleExamples2|POL_Test_AllFunctions_PRMGroup|POL_Test_AllFunctions_PolExamples|POL_Test_AllFunctions_PolExamples2|POL_Test_CPCS_FinitePart|POL_Test_CPCS_PRMGroup|POL_Test_CPCS_PRMGroupExams|POL_Test_CPCS_PRMGroupRuntime|POL_Test_Isom_PRMGroup|POL_Test_Properties_PRMGroup|POL_Test_Series_PRMGroup|POL_Test_SubgroupComp_PRMGroup|POL_Test_UnipotentMats2Pcp|POL_TriangNSGFI_NonAbelianPRMGroup|POL_TriangNSGFI_PRMGroup|POL_TriangularizableGens|POL_UnipotentMats2Pcp|POL_UnitriangularPcpGroup|POL_UpperTriangIntTest|POPI|PORI|PORTRAIT@FR|POSITION_FILE|POSITION_NONZERO_GF2VEC|POSITION_NONZERO_GF2VEC3|POSITION_NONZERO_VEC8BIT|POSITION_NONZERO_VEC8BIT3|POSITION_NOT|POSITION_SORTED_BY|POSITION_SORTED_LIST|POSITION_SORTED_LIST_COMP|POSITION_SUBSTRING|POSTHOOK@fr|POST_RESTORE|POS_DATA_TYPE|POS_FAMILY_TYPE|POS_FIRST_FREE_TYPE|POS_FLAGS_TYPE|POS_LIST|POS_LIST_DEFAULT|POS_NUMB_TYPE|POW|POW3_M_POW2_FACTORS|POWERMODINT|POWER_LIMIT|POWMOD_UPOLY|POW_DEFAULT|POW_KER_PERM|POW_MAT_INT|POW_MPFR|POW_OBJ_INT|POmega|PPDIrreducibleFactor|PPDIrreducibleFactorD2|PPPL_AbsValue|PPPL_Add|PPPL_AdditiveInverse|PPPL_Check|PPPL_CheckNC|PPPL_Equal|PPPL_Greater|PPPL_MatrixMult|PPPL_Mult|PPPL_OneNC|PPPL_PadicValue|PPPL_Print|PPPL_PrintMat|PPPL_PrintRow|PPPL_Smaller|PPPL_Subtract|PPPL_ZeroNC|PPPPcpGroups|PPPPcpGroupsElement|PPPPcpGroupsElementFamily|PPPPcpGroupsElementNC|PPPPcpGroupsFamily|PPPPcpGroupsNC|PPP_AbsValue|PPP_Add|PPP_AdditiveInverse|PPP_Check|PPP_Equal|PPP_Greater|PPP_Mult|PPP_OneNC|PPP_PadicValue|PPP_Print|PPP_PrintMat|PPP_PrintRow|PPP_PrintWord|PPP_QuotientRemainder|PPP_Smaller|PPP_Subtract|PPP_Words_Equal|PPP_ZeroNC|PPVWCD|PPValWord|PParseBackwards|PPart|PPartOfN|PPartPoly|PPartPolyLoc|PPowerPolyMat2PPowerPolyLocMat|PPrimePart|PPrimePartPoly|PPrimePartPolyLoc|PQStatistics|PQX_MAKE_CONNECTION|PQX_PLACE_NEXT_NODE|PQX_RECURSE_DESCENDANTS|PQ_APG_AUTOMORPHISM_CLASSES|PQ_APG_CUSTOM_OUTPUT|PQ_APG_DEGREE|PQ_APG_IMAGE_OF_ALLOWABLE_SUBGROUP|PQ_APG_MATRIX_OF_LABEL|PQ_APG_ORBITS|PQ_APG_ORBIT_REPRESENTATIVE|PQ_APG_ORBIT_REPRESENTATIVES|PQ_APG_ORBIT_REPRESENTATIVE_OF_LABEL|PQ_APG_PERMUTATIONS|PQ_APG_RANK_CLOSURE_OF_INITIAL_SEGMENT|PQ_APG_STANDARD_MATRIX_LABEL|PQ_APG_WRITE_COMPACT_DESCRIPTION|PQ_AUT_ARG_CHK|PQ_AUT_GROUP|PQ_AUT_INPUT|PQ_BOUNDS|PQ_CHECK_WORD|PQ_CHK_COLLECT_COMMAND_ARGS|PQ_CHK_PATH|PQ_CHK_TAILS_ARGS|PQ_CLOSE_RELATIONS|PQ_COLLECT|PQ_COLLECT_DEFINING_GENERATORS|PQ_COLLECT_DEFINING_RELATIONS|PQ_COMMUTATOR|PQ_COMMUTATOR_CHK_ARGS|PQ_COMPACT|PQ_COMPLETE_NONINTERACTIVE_FUNC_CALL|PQ_CUSTOMISE_OUTPUT|PQ_DATA|PQ_DATA_CHK|PQ_DESCENDANTS|PQ_DISPLAY|PQ_DISPLAY_PRESENTATION|PQ_DO_CONSISTENCY_CHECK|PQ_DO_CONSISTENCY_CHECKS|PQ_DO_EXPONENT_CHECKS|PQ_ECHELONISE|PQ_ELIMINATE_REDUNDANT_GENERATORS|PQ_EPIMORPHISM_STANDARD_PRESENTATION|PQ_EPI_OR_PCOVER|PQ_ERROR_EXIT_MESSAGES|PQ_EVALUATE|PQ_EVALUATE_ACTION|PQ_EVALUATE_CERTAIN_FORMULAE|PQ_EVALUATE_ENGEL_IDENTITY|PQ_EVALUATE_IDENTITIES|PQ_EVALUATE_IDENTITY|PQ_FINISH_NEXT_CLASS|PQ_FUNCTION|PQ_GROUP_FROM_PCP|PQ_GRP_EXISTS_CHK|PQ_INSERT_TAILS|PQ_MANUAL_AUT_INPUT|PQ_MENU|PQ_MENUS|PQ_NEXT_CLASS|PQ_OPTION_CHECK|PQ_OTHER_OPTS_CHK|PQ_PATH_CURRENT_DIRECTORY|PQ_PC_PRESENTATION|PQ_PG_CONSTRUCT_DESCENDANTS|PQ_PG_EXTEND_AUTOMORPHISMS|PQ_PG_RESTORE_GROUP|PQ_PG_SUPPLY_AUTS|PQ_PROCESS_RELATIONS_FILE|PQ_P_COVER|PQ_READ_ALL_LINE|PQ_READ_NEXT_LINE|PQ_RESTORE_PC_PRESENTATION|PQ_REVERT_TO_PREVIOUS_CLASS|PQ_SAVE_PC_PRESENTATION|PQ_SETUP_TABLES_FOR_NEXT_CLASS|PQ_SET_GRP_DATA|PQ_SET_MAXIMAL_OCCURRENCES|PQ_SET_METABELIAN|PQ_SET_OUTPUT_LEVEL|PQ_SOLVE_EQUATION|PQ_SP_COMPARE_TWO_FILE_PRESENTATIONS|PQ_SP_ISOMORPHISM|PQ_SP_SAVE_PRESENTATION|PQ_SP_STANDARD_PRESENTATION|PQ_START|PQ_SUPPLY_OR_EXTEND_AUTOMORPHISMS|PQ_UNBIND|PQ_WORD|PQ_WRITE_COMPACT_DESCRIPTION|PQ_WRITE_PC_PRESENTATION|PQuotient|PREC_MPFR|PREIMAGE@FR|PREIMAGES_TRANS_INT|PREIMAGE_PPERM_INT|PREPARESUBS@FR|PREPERIODICBKG_PREIMAGE@FR|PRETTY_PRINT_VARS|PREV_PROFILED_FUNCTIONS|PREV_PROFILED_FUNCTIONS_NAMES|PRILD|PRIMES_COMPACT_FIELDS|PRIMGRP|PRIMGrp|PRIMINDX|PRIMITIVE_INDICES_MAGMA|PRIMLENGTHS|PRIMLOAD|PRIMRANGE|PRIM_AVAILABLE|PRIM_TEST|PRINTWORDPOWERS|PRINT_CPROMPT|PRINT_CURRENT_STATEMENT|PRINT_FORMATTING_ERROUT|PRINT_FORMATTING_STDOUT|PRINT_OBJ|PRINT_OPERATION|PRINT_REORDERED_METHODS|PRINT_STRINGIFY|PRINT_TO|PRINT_TO_STREAM|PROCESS_ACE_OPTION|PROCESS_ACE_OPTIONS|PROCESS_FILTER_NAMES|PROCESS_INPUT_TEMPORARY|PROCESS_OUTPUT_TEMPORARY|PROD|PRODUCT_COEFFS_GENERIC_LISTS|PRODUCT_LAURPOLS|PRODUCT_UNIVFUNCS|PROD_COEFFS_GF2VEC|PROD_COEFFS_VEC8BIT|PROD_FFE_LARGE|PROD_FFE_VEC8BIT|PROD_GF2MAT_GF2MAT|PROD_GF2MAT_GF2MAT_ADVANCED|PROD_GF2MAT_GF2MAT_SIMPLE|PROD_GF2MAT_GF2VEC|PROD_GF2VEC_ANYMAT|PROD_GF2VEC_GF2MAT|PROD_GF2VEC_GF2VEC|PROD_INT_OBJ|PROD_LISTS_SPECIAL|PROD_LIST_LIST_DEFAULT|PROD_LIST_SCL_DEFAULT|PROD_MAT8BIT_MAT8BIT|PROD_MAT8BIT_VEC8BIT|PROD_MPFR|PROD_SCL_LIST_DEFAULT|PROD_VEC8BIT_FFE|PROD_VEC8BIT_MAT8BIT|PROD_VEC8BIT_MATRIX|PROD_VEC8BIT_VEC8BIT|PROD_VECTOR_MATRIX|PROD_VEC_MAT_DEFAULT|PROFILED_FUNCTIONS|PROFILED_FUNCTIONS_NAMES|PROFILED_GLOBAL_FUNCTIONS|PROFILED_GLOBAL_VARIABLE_FUNCTIONS|PROFILED_METHODS|PROFILED_OPERATIONS|PROFILE_FUNC|PROF_FUNC|PROGRAM_CLEAN_UP|PROJECTOR_FROM_BOUNDARY|PROPAGATION_LIST_FOR_EQUAL_MORPHISMS|PROPAGATION_LIST_FOR_EQUAL_OBJECTS|PROPAGATION_LIST_FROM_GENERALIZED_TO_ASSOCIATED_MORPHISM|PROPERTIES_SMALL_GROUPS|PRank@RDS|PResidual|PResidualOp|PRump|PRumpOp|PSEUDORANDOM@FR|PSL|PSLDegree|PSLQ|PSLQ_MP|PSLUnderlyingField|PSO|PSP|PSU|PSZAlgebra|PSigmaL|PSizeFSA|PSocle|PSocleComponents|PSocleComponentsOp|PSocleOp|PSocleSeries|PSocleSeriesOp|PSp|PSplitSubextension|PStepCentralSeries|PSubgroups|PTHPOWER@FR|PTHPOWERIMAGE_PPI_VEC|PUpperCentralSeries|PVALUATION_INT|PValuation|PValue|PValuePol|PackageAvailabilityInfo|PackageInfo|PackageVariablesInfo|PackageWizard|PadCoeffs|PadicCoefficients|PadicExpansionByRat|PadicExtensionNumberFamily|PadicNumber|PadicValuation|PadicValue|PadicValueRatNC|Page|PageDisplay|PageSource|Pager|PagerAsHelpViewer|PaigeLoop|PairOfPositionsOfTheDefaultPresentations|PairingHeap|PairingHeapMeld|PairingHeapMergePairs|PairingHeapPeek|PairingHeapPop|PairingHeapPush|PairingHeapSize|PairingHeapType|PairingHeapTypeMutable|PairwiseBalancedLambda|PaleyClasses@GUAVA|PaleyI@GUAVA|PaleyII@GUAVA|Paper1|Paper2|Paper3|Paper4|ParDoByFork|ParDoByForkOptions|ParListByFork|ParListByForkOptions|ParListWithSCSCP|ParListWorker|ParMapReduceByFork|ParMapReduceByForkOptions|ParMapReduceWorker|ParPcNormalizedUnitGroup|ParPresGlobalVar_2_1|ParPresGlobalVar_2_1_Names|ParPresGlobalVar_2_2|ParPresGlobalVar_2_2_Names|ParPresGlobalVar_3_1|ParPresGlobalVar_3_1_Names|ParQuickWithSCSCP|ParSavePcNormalizedUnitGroup|ParTakeFirstResultByFork|ParTakeFirstResultByForkOptions|ParWorkerFarmByFork|ParWorkerFarmByForkOptions|ParabolicQuadric|ParabolicSubgroups|ParallelClass|ParallelList|ParametersEdge|ParametersOfGroupViewedAsGL|ParametersOfGroupViewedAsPSL|ParametersOfGroupViewedAsSL|ParametersOfLiePRing|ParametersOfRationalDoubleShiftAlgebra|ParametersOfRationalPseudoDoubleShiftAlgebra|Parametrization|Parametrized|Parent|ParentAlgebra|ParentAttr|ParentLVars|ParentMappingGroupoids|ParentNode|ParentPcgs|PariVersion|ParityPol|ParseBackwards|ParseBackwardsWithPrefix|ParseBibFiles|ParseBibStrings|ParseBibXMLextFiles|ParseBibXMLextString|ParseError|ParseForwards|ParseForwardsWithSuffix|ParseGapIdealToSingIdeal|ParseGapIntmatToSingIntmat|ParseGapIntvecToSingIntvec|ParseGapListToSingList|ParseGapModuleToSingModule|ParseGapNumberToSingNumber|ParseGapOrderingToSingOrdering|ParseGapPolyToSingPoly|ParseGapRingToSingRing|ParseGapVectorToSingVector|ParseListOfIndeterminates|ParseRelations|ParseRelators|ParseSingNumberToGapNumber|ParseSingPolyToGapPoly|ParseSingProcToGapFunction|ParseSingRingToGapRing|ParseTestFile|ParseTestInput|ParseTreeXMLFile|ParseTreeXMLString|Parstacks|PartOfPresentationRelevantForOutputOfFunctors|PartialAugmentations|PartialBrauerMonoid|PartialClosureOfCongruence|PartialDesignCheck|PartialDoubleCosetRewritingSystem|PartialDualSymmetricInverseMonoid|PartialElements|PartialElementsLength|PartialElementsOfMonoidPresentation|PartialFactorization|PartialInverseElements|PartialIsoclinismClasses|PartialIyamaGenerator|PartialJonesMonoid|PartialLinearSpaces|PartialOrderAntiEndomorphisms|PartialOrderByOrderingFunction|PartialOrderDigraphJoinOfVertices|PartialOrderDigraphMeetOfVertices|PartialOrderEndomorphisms|PartialOrderOfDClasses|PartialOrderOfHasseDiagram|PartialOrderOfPoset|PartialPerm|PartialPermFamily|PartialPermLeqBipartition|PartialPermNC|PartialPermOp|PartialPermOpNC|PartialSums|PartialTransformation|PartialTransformationMonoid|PartialUniformBlockBijectionMonoid|Partition|PartitionBacktrack|PartitionBetaSet|PartitionBetaSetOp|PartitionByFunction|PartitionByFunctionNF|PartitionDS|PartitionDSFamily|PartitionGoodNodeSequence|PartitionGoodNodeSequenceOp|PartitionMinimalOveralgebras|PartitionMinimalOvergrps|PartitionMonoid|PartitionMullineuxSymbol|PartitionMullineuxSymbolOp|PartitionOfSource|PartitionSortedPoints|PartitionStabiliserPermGroup|PartitionStabilizer|PartitionStabilizerPermGroup|PartitionTuples|PartitionedNumberOfHomomorphisms|Partitions|PartitionsA|PartitionsGreatestEQ|PartitionsGreatestLE|PartitionsIntoBlockDesigns|PartitionsIntoResidueClasses|PartitionsK|PartitionsRecursively|PartitionsSet|PartitionsSetA|PartitionsSetK|PartitionsTest|PartsBrauerTableName|PartsOfPartitionDS|PartsOfQuadraticInteger|PatchGBNP|Path|PathAlgebra|PathAlgebraContainingElement|PathAlgebraElementTerms|PathAlgebraOfMatModuleMap|PathAlgebraVector|PathAlgebraVectorNC|PathComponent|PathComponentOfPureComplex|PathComponentOfPureCubicalComplex|PathComponentOfSimplicialComplex|PathComponents|PathComponentsCWSubcomplex|PathComponentsOfGraph|PathComponentsOfSimplicialComplex|PathComponentsOfSimplicialComplex_alt|PathFromArrowList|PathGraph|PathGraphCons|PathModuleElem|PathObjectForChainComplex|PathRemoval|PathRing|PatheticIsomorphism|PathsOfLengthTwo|Patterns|PcClassFactorCentralityTest|PcElementByExponents|PcElementByExponentsNC|PcGensBySeries|PcGroup|PcGroupAutPGroup|PcGroupClassMatrixColumn|PcGroupCode|PcGroupCodeRec|PcGroupExtensionByMatrixAction|PcGroupFpGroup|PcGroupFpGroupNC|PcGroupQClass|PcGroupToMagmaFormat|PcGroupToPcpGroup|PcGroupWithPcgs|PcGroup_NormalizerWrtHomePcgs|PcNormalizedUnitGroup|PcNormalizedUnitGroupSmallGroup|PcPreCat1ObjType|PcPreCatnObjType|PcPreXModObjType|PcPresentationOfNormalizedUnit|PcSequenceBasePcgs|PcSeries|PcUnits|Pcgs|PcgsByIndependentGeneratorsOfAbelianGroup|PcgsByPcSequence|PcgsByPcSequenceCons|PcgsByPcSequenceNC|PcgsByPcgs|PcgsCentralSeries|PcgsCharacteristicTails|PcgsChiefSeries|PcgsComplementOfChiefFactor|PcgsComplementsMaximalUnderAction|PcgsComplementsOfCentralModuloPcgsUnderActionNC|PcgsCompositionSeriesElAbModuloPcgsUnderAction|PcgsDirectProduct|PcgsElAbSerFromSpecPcgs|PcgsElementaryAbelianSeries|PcgsElementaryAbelianSeriesFromPrimeOrdersPcgs|PcgsHomSoImPow|PcgsInfoAutPGroup|PcgsInvariantComplementsOfElAbModuloPcgs|PcgsJenningsSeries|PcgsMemberPcSeriesPermGroup|PcgsNormalizerOfPronormalSubgroup|PcgsOrbitStabilizer|PcgsPCentralSeriesPGroup|PcgsStabChainSeries|PcgsSystemLGSeries|PcgsSystemWithComplementSystem|PcgsSystemWithHallSystem|PcgsSystemWithWf|Pcgs_MutableOrbitStabilizerOp|Pcgs_OrbitStabiliser|Pcgs_OrbitStabiliser_Blist|Pcgs_OrbitStabilizer|Pcgs_OrbitStabilizer_Blist|Pcp|PcpBaseIntMat|PcpElementByExponents|PcpElementByExponentsNC|PcpElementByGenExpList|PcpElementByGenExpListNC|PcpElementConstruction|PcpExamples|PcpFactorByPcps|PcpFamily|PcpGroupByCollector|PcpGroupByCollectorNC|PcpGroupByEfaPcps|PcpGroupByEfaSeries|PcpGroupByMatGroup|PcpGroupByPcp|PcpGroupByPcps|PcpGroupBySeries|PcpGroupFpGroupPcPres|PcpGroupToFpGroup|PcpGroupToPcGroup|PcpNextStepCentralizer|PcpNullspaceIntMat|PcpOrbitStabilizer|PcpOrbitsStabilizers|PcpPresentationMultGroupByFieldEl|PcpPresentationOfGroupByFieldElements|PcpPresentationOfMultiplicativeSubgroup|PcpPresentationOfTFGroupByFieldElements|PcpSeries|PcpSolutionIntMat|PcpType|PcpUserInfo|PcpsBySeries|PcpsBySpaces|PcpsOfAbelianFactor|PcpsOfEfaSeries|PcpsOfPowerSeries|Pcs_OrbitStabiliser|Pcs_OrbitStabilizer|PeakOfnAtg|Peek|PegSolitaire|PegSolitaireSolutions|PeifferSub2DimensionalGroup|PeifferSubgroup|PeifferSubgroupPreCat1Group|PeifferSubgroupPreXMod|PerfGrpConst|PerfGrpLoad|PerfectAbelianSocleRepresentation|PerfectCSPG|PerfectCentralProduct|PerfectGroup|PerfectIdentification|PerfectRepresentation|PerfectResiduum|PerfectSubdirectProduct|PerfectSubgroupsAlternatingGroup|Perform|Period|PeriodNTPMatrix|PeriodicList|PeriodicListsFamily|PeriodicityOfSubgroupPres|Perm|PermActionOnLevel|PermAsWeylWord|PermAutomorphismAsXModMorphism|PermBounds|PermCandidates|PermCandidatesFaithful|PermCanonicalIndexIrredSolMatrixGroup|PermCanonicalIndexIrreducibleSolubleMatrixGroup|PermCanonicalIndexIrreducibleSolvableMatrixGroup|PermCat1Select|PermCharInfo|PermCharInfoRelative|PermChars|PermCharsTom|PermComb|PermComplement|PermConstructor|PermDirectSum|PermGensGensFEM|PermGroup|PermGroupOnLevel|PermGroupOnLevelOp|PermGroupStabilizerFerretOp|PermGroupStabilizerOp|PermGroupToFilteredGraph|PermGroupToMagmaFormat|PermInvolution|PermLeftQuoBipartition|PermLeftQuoPartialPerm|PermLeftQuoPartialPermNC|PermLeftQuoTransformation|PermLeftQuoTransformationNC|PermList|PermList2GroupList|PermListList|PermNatAnTestDetect|PermOnEnumerator|PermOnLevel|PermOnLevelAsMatrix|PermOnLevelOp|PermOper|PermPreCat1ObjType|PermPreCatnObjType|PermPreConjtestGroups|PermPreXModObjType|PermRep|PermRepDP|PermSkewSum|PermToLinearRep|PermToMatrixGroup|Permanent|Permanent2|PermgpContainsAn|PermgroupSuggestPcgs|PermliftSeries|PermpcgsPcGroupPcgs|PermrepSemidirectModule|Permut|PermutMaxTries|PermutahedralComplexToRegularCWComplex|PermutahedralToCubicalArray|Permutation|PermutationAutomorphismGroup|PermutationCharacter|PermutationCycle|PermutationCycleOp|PermutationDecode|PermutationDecodeNC|PermutationGModule|PermutationGroup|PermutationMat|PermutationOfImage|PermutationOnAllowableSubgroups|PermutationOp|PermutationOpNC|PermutationRepForDiffsetCalculations|PermutationStarGraph|PermutationStarGraphCons|PermutationToSortCharacters|PermutationToSortClasses|PermutationTom|Permutations|Permutations2CycleSet|Permutations2YB|PermutationsFamily|PermutationsList|PermutationsListK|PermutationsOfN|PermuteArray|PermuteLettersFSA|PermuteMat|PermuteStatesFSA|PermuteVec|Permuted|PermutedAutomaton|PermutedCode|PermutedCols|Permutiser|PermutiserInParent|PermutiserOp|Permutizer|PermutizerInParent|PermutizerOp|PersistentBettiNumbers|PersistentCohomologyOfQuotientGroupSeries|PersistentHomology|PersistentHomologyOfCommutativeDiagramOfPGroups|PersistentHomologyOfCrossedModule|PersistentHomologyOfFilteredChainComplex|PersistentHomologyOfFilteredPureCubicalComplex|PersistentHomologyOfFilteredPureCubicalComplex_alt|PersistentHomologyOfFilteredSparseChainComplex|PersistentHomologyOfPureCubicalComplex|PersistentHomologyOfPureCubicalComplex_Alt|PersistentHomologyOfQuotientGroupSeries|PersistentHomologyOfQuotientGroupSeries_Int|PersistentHomologyOfSubGroupSeries|PetersenGraph|PetersenGraphCons|Phi|Phi2|PiGroups|PiPrimarySplitting|PiPrimePart|PiResidual|PiResidualOp|PiZero|PiZeroOfRegularCWComplex|PickElementsFromList|PickSublistsFromListOfLists|Pickup|PieceIsomorphisms|PieceNrOfObject|PieceOfObject|PiecePositions|Pieces|PiecesOfMapping|PiecewiseConstantCode|PiecewiseMapping|PingSCSCPservice|PingStatistic|PipeOpenMathObject|Pivot|Pivots|PkgAuthorRecs|PlaceTriples|Places|PlainInfoHandler|PlainListCopy|PlainTextString|PlanarDiagramKnot|PlanarEmbedding|PlanarModularPartitionMonoid|PlanarNearRing|PlanarPartitionMonoid|PlanarUniformBlockBijectionMonoid|Planes|PlaySudoku|PlistDeque|PlistDequeExpand|PlistDequeFamily|PlistDequePeekBack|PlistDequePeekFront|PlistDequePopBack|PlistDequePopFront|PlistDequePushBack|PlistDequePushFront|PlistDequeType|PlistMatrixOverFiniteFieldFamily|PlistMatrixOverFiniteFieldType|PlistRowBasisOverFiniteFieldFamily|PlistRowBasisOverFiniteFieldType|Plot|PlotDisplayMethod|PlotDisplayMethod_HTML|PlotDisplayMethod_Jupyter|PlotDisplayMethod_JupyterSimple|PlotGraph|PluckerCoordinates|PlueckerMap|Pluralize|PlusDecompAut|PlusDecomposableAut|PlusIndecompAut|PlusIndecomposableAut|Pminus1Split|PoincareSeries|PoincareSeriesApproximation|PoincareSeriesPrimePart|PoincareSeries_alt|PointBlockIncidenceMatrix|PointDeletion|PointDiamEdge|PointGraph|PointGroup|PointGroupByNumber|PointGroupHomomorphism|PointGroupRepresentatives|PointHomomorphism|PointInCellNo|PointJoiningLinesProjectivePlane|Points|PointsIncidentBlocks|PointsOfAlgebraicVariety|PointsOfDesign|PointsOfGrassmannVariety|PointsOfSegreVariety|PointsOfVeroneseVariety|Pointwiseleq|PolExamples|PolarMap|PolarSpace|PolarSpaceStandard|PolarSpaceType|PolarityOfProjectiveSpace|PolarityOfProjectiveSpaceOp|Pole|PolringHomPolgensSetup|PolyCodeword|PolyZNormalSubgroup|PolycyclicFactorGroup|PolycyclicFactorGroupByRelators|PolycyclicFactorGroupByRelatorsNC|PolycyclicFactorGroupNC|PolycyclicGenerators|Polymake|PolymakeFaceLattice|PolymakeObject|PolymakeObjectFamily|PolynomialByExtRep|PolynomialByExtRepNC|PolynomialCoefficientsOfPolynomial|PolynomialDegreeOfGrowth|PolynomialDegreeOfGrowthOfUnderlyingAutomaton|PolynomialDivisionAlgorithm|PolynomialFactorsDescriptionPari|PolynomialGrowthBinaryGroup|PolynomialModP|PolynomialNearRing|PolynomialNearRingFlag|PolynomialOfForm|PolynomialReducedRemainder|PolynomialReduction|PolynomialRing|PolynomialRingWithDegRevLexOrdering|PolynomialRingWithLexicographicOrdering|PolynomialRingWithProductOrdering|PolynomialRingWithWeightedOrdering|PolynomialToBooleanFunction|PolynomialToRModuleRep|PolynomialWithNameToStringList|PolynomialsWithoutRelativeIndeterminates|PolytopalComplex|PolytopalGenerators|PolytopalRepresentationComplex|PolytopeLatticePoints|Pop|PopBack|PopFront|PopOptions|Portrait|PortraitInt|PortraitPerm|PortraitTransformation|Pos|PosInParent|PosSublOdd|PosTails|PosVecEnumFF|Poset|PosetAlgebra|PosetOfCongruences|PosetOfPosetAlgebra|PosetOfPrincipalCongruences|PosetOfPrincipalLeftCongruences|PosetOfPrincipalRightCongruences|Position|PositionBound|PositionCanonical|PositionCanonical_Subset|PositionInGroupOfResolution|PositionInGroupOfResolutionNC|PositionInTower|PositionLastNonZero|PositionLinenumber|PositionMatchingDelimiter|PositionMaximum|PositionMinimum|PositionNonZero|PositionNonZeroFromRight|PositionNot|PositionNthOccurrence|PositionNthTrueBlist|PositionOfFirstNonZeroEntryPerColumn|PositionOfFirstNonZeroEntryPerRow|PositionOfFound|PositionOfLastStoredSetOfGenerators|PositionOfLastStoredSetOfRelations|PositionOfTheDefaultPresentation|PositionOfTheDefaultSetOfGenerators|PositionOp|PositionProperty|PositionSet|PositionSorted|PositionSortedBy|PositionSortedByOp|PositionSortedOddPositions|PositionSortedOp|PositionStream|PositionSublist|PositionWord|Positions|PositionsBound|PositionsInSupersemigroup|PositionsNonzero|PositionsOfMaximalObjects|PositionsOfSmallSemigroups|PositionsOfSmallSemisInEnum|PositionsOp|PositionsProperty|PositionsSublist|PositiveCoefficients|PositiveExponentsPresentationFpHom|PositiveInfinity|PositiveIntegers|PositivePart|PositivePartFrom|PositiveRepeatDegrees|PositiveRootVectors|PositiveRoots|PositiveRootsAsWeights|PositiveRootsFC|PositiveRootsInConvexOrder|PositiveRootsNF|PositiveRootsOfUnitForm|PossibleActionsForTypeGA|PossibleActionsForTypeGS3|PossibleActionsForTypeGV4|PossibleActionsForTypeMGA|PossibleCharacterTablesOfTypeGV4|PossibleCharacterTablesOfTypeMGA|PossibleCharacterTablesOfTypeV4G|PossibleClassFusions|PossibleClassicalForms|PossibleDifferenceSetSizes|PossibleFusionsCharTableTom|PossiblePowerMaps|PossibleTDesignLambdasFromParameters|PostCompose|PostComposeList|PostDivide|PostInverse|PostMakeImmutable|PostOrder|PostToURL|PowerBasisWeights|PowerByTable|PowerDecompositions|PowerMap|PowerMapAbelian|PowerMapByComposition|PowerMapCenter|PowerMapFLSmall|PowerMapKernels|PowerMapOfGroup|PowerMapOfGroupWithInvariants|PowerMapOp|PowerMapSmall|PowerMapsAllowedBySymmetrisations|PowerMapsAllowedBySymmetrizations|PowerMod|PowerModCoeffs|PowerModEvalPol|PowerModInt|PowerOverBaseRoot|PowerOverSmallestRoot|PowerPartition|PowerPcgsElement|PowerPcpsByIndex|PowerS|PowerSeries|PowerSi|PowerSubalgebra|PowerSubalgebraOp|PowerSubalgebraSeries|PowerTail|PowerWord|PowerWreath|Powers|PowersumsElsyms|Pplus1Power|Pplus1Product|Pplus1Split|Pplus1Square|Pq|PqAPGAutomorphismClasses|PqAPGDegree|PqAPGImageOfAllowableSubgroup|PqAPGMatrixOfLabel|PqAPGOrbitRepresentative|PqAPGOrbitRepresentativeOfLabel|PqAPGOrbitRepresentatives|PqAPGOrbits|PqAPGPermutations|PqAPGRankClosureOfInitialSegment|PqAPGSingleStage|PqAPGStandardMatrixLabel|PqAPGSupplyAutomorphisms|PqAPGWriteCompactDescription|PqAddTails|PqApplyAutomorphisms|PqAutomorphism|PqCollect|PqCollectDefiningRelations|PqCollectWordInDefiningGenerators|PqCommutator|PqCommutatorDefiningGenerators|PqCompact|PqComputePCover|PqComputeTails|PqCurrentGroup|PqDescendants|PqDescendantsTreeCoclassOne|PqDisplayAutomorphisms|PqDisplayPcPresentation|PqDisplayStructure|PqDoConsistencyCheck|PqDoConsistencyChecks|PqDoExponentChecks|PqEchelonise|PqEliminateRedundantGenerators|PqEnumerateWords|PqEpimorphism|PqEvalSingleRelation|PqEvaluateAction|PqEvaluateCertainFormulae|PqEvaluateEngelIdentity|PqEvaluateIdentities|PqEvaluateIdentity|PqExample|PqExtendAutomorphisms|PqFactoredOrder|PqFpGroupPcGroup|PqGAPRelators|PqJacobi|PqLeftNormComm|PqLetterInt|PqList|PqNextClass|PqNrPcGenerators|PqOrder|PqPClass|PqPCover|PqPGConstructDescendants|PqPGExtendAutomorphisms|PqPGRestoreDescendantFromFile|PqPGSetDescendantToPcp|PqPGSupplyAutomorphisms|PqParseWord|PqPcPresentation|PqProcessIndex|PqProcessIndices|PqProcessRelationsFile|PqQuit|PqQuitAll|PqRead|PqReadAll|PqReadUntil|PqRecoverDefinitions|PqRestorePcPresentation|PqRevertToPreviousClass|PqSPCompareTwoFilePresentations|PqSPComputePcpAndPCover|PqSPIsomorphism|PqSPSavePresentation|PqSPStandardPresentation|PqSavePcPresentation|PqSetMaximalOccurrences|PqSetMetabelian|PqSetOutputLevel|PqSetPQuotientToGroup|PqSetupTablesForNextClass|PqSolveEquation|PqStabiliserOfAllowableSubgroup|PqStandardPresentation|PqStart|PqSupplementInnerAutomorphisms|PqSupplyAutomorphisms|PqTails|PqWeight|PqWithIdentity|PqWrite|PqWriteCompactDescription|PqWritePcPresentation|Prank|PrankAlt|PreCat1Algebra|PreCat1AlgebraByEndomorphisms|PreCat1AlgebraByTailHeadEmbedding|PreCat1AlgebraMorphism|PreCat1AlgebraMorphismByHoms|PreCat1AlgebraObj|PreCat1AlgebraOfPreXModAlgebra|PreCat1Group|PreCat1GroupByTailHeadEmbedding|PreCat1GroupMorphism|PreCat1GroupMorphismByGroupHomomorphisms|PreCat1GroupRecordOfPreXMod|PreCat1GroupWithIdentityEmbedding|PreCat1Obj|PreCat1ObjType|PreCat2Group|PreCat2GroupByPreCat1Groups|PreCat2GroupMorphism|PreCat2GroupMorphismByGroupHomomorphisms|PreCat2GroupMorphismByPreCat1GroupMorphisms|PreCat2GroupObj|PreCat2GroupObjType|PreCat2GroupOfPreCrossedSquare|PreCat3Group|PreCat3GroupByPreCat2Groups|PreCat3GroupObj|PreCat3GroupObjType|PreCatnGroup|PreCatnGroupMorphism|PreCatnGroupMorphismByMorphisms|PreCatnObj|PreCatnObjType|PreCompose|PreComposeList|PreCrossedSquare|PreCrossedSquareByPreXMods|PreCrossedSquareMorphism|PreCrossedSquareMorphismByGroupHomomorphisms|PreCrossedSquareMorphismByPreXModMorphisms|PreCrossedSquareObj|PreCrossedSquareObjType|PreCrossedSquareOfPreCat2Group|PreDivide|PreEval|PreImage|PreImageElm|PreImageFittingSet|PreImagePartialPerm|PreImageSetStabBlocksHomomorphism|PreImageSubspaceIntMat|PreImageSubspaceIntMats|PreImageWord|PreImages|PreImagesElm|PreImagesOfTransformation|PreImagesRange|PreImagesRepresentative|PreImagesRepresentativeOperationAlgebraHomomorphism|PreImagesRepresentatives|PreImagesSet|PreInverse|PrePeriod|PreXModAlgebraByBoundaryAndAction|PreXModAlgebraMorphism|PreXModAlgebraMorphismByHoms|PreXModAlgebraOfPreCat1Algebra|PreXModByBoundaryAndAction|PreXModBySourceHom|PreXModMorphism|PreXModMorphismByGroupHomomorphisms|PreXModObj|PreXModObjType|PreXModRecordOfPreCat1Group|PreXModWithObjects|PreXModWithObjectsType|PreXModWithPiecesType|PrecisionFloat|PrecomputedSmallSemisInfo|PreconditionsDefinitelyNotFulfilled|Predecessor|PredecessorsOfModule|PredefARQuivers|PrefixSearch|PrefrattiniSubgroup|Pregroup|PregroupByRedRelators|PregroupByTable|PregroupByTableNC|PregroupByTableType|PregroupElementId|PregroupElementNames|PregroupFamily|PregroupInverse|PregroupInversesFromTable|PregroupLocationType|PregroupOf|PregroupOfFreeGroup|PregroupOfFreeGroupType|PregroupOfFreeProduct|PregroupOfFreeProductList|PregroupOfFreeProductType|PregroupPlaceType|PregroupPresentationFromFile|PregroupPresentationFromFp|PregroupPresentationFromStream|PregroupPresentationOf|PregroupPresentationToFile|PregroupPresentationToFpGroup|PregroupPresentationToKBMAG|PregroupPresentationToSimpleFile|PregroupPresentationToSimpleStream|PregroupPresentationToStream|PregroupPresentationType|Preimage|PreimageByNHLB|PreimageByNHSEB|PreimageOfRingHomomorphism|PreimagesBasisOfNHLB|PreimagesOfTransformation|PreimagesRepresentativeByNHLB|PreimagesRepresentativeByNHSEB|PrepareConjugacyClasses|PrepareFingerPrinting|PrepareId|PrepareIds|PrepareMinTree|PrepareMinimization|PreprocessAnalysisQA|PreprojectiveAlgebra|Presentation|PresentationAugmentedCosetTable|PresentationFpGroup|PresentationIdeal|PresentationKnotQuandle|PresentationKnotQuandleKnot|PresentationMatNq|PresentationMorphism|PresentationNormalClosure|PresentationNormalClosureRrs|PresentationOfGradedStructureConstantAlgebra|PresentationOfResolution|PresentationOfResolution_alt|PresentationOfSubgroupOfKBMAGRewritingSystem|PresentationOfSubgroupRWS|PresentationRegularPermutationGroup|PresentationRegularPermutationGroupNC|PresentationSubgroup|PresentationSubgroupMtc|PresentationSubgroupRrs|PresentationViaCosetTable|PresentationWithDegrees|PresentationsFamily|PreservedForms|PreservedFormsOp|PreservedQuadraticForms|PreservedSesquilinearForms|PrevLocation|PrevPrimeInt|PriGroItNext|PrimGrpLoad|PrimRootOfUnity|PrimalityProof|PrimalityProof_FindFermat|PrimalityProof_FindLucas|PrimalityProof_FindStructure|PrimalityProof_Verify|PrimalityProof_VerifyStructure|PrimalityProof_VerifyWitness|PrimaryDecomposition|PrimaryDecompositionOp|PrimaryGeneratorWords|PrimeBase|PrimeBlocks|PrimeBlocksOp|PrimeDiffLimit|PrimeDiffs|PrimeDivisors|PrimeFactors|PrimeField|PrimeIdeals|PrimeNumbersIterator|PrimeOfLiePRing|PrimePGroup|PrimePartDerivedFunctor|PrimePartDerivedFunctorViaSubgroupChain|PrimePowerComponent|PrimePowerComponents|PrimePowerExponent|PrimePowerGensPcSequence|PrimePowerPcSequence|PrimePowersInt|PrimeResidues|PrimeResiduesCache|PrimeSet|PrimeSwitch|Primes|Primes2|PrimesDividingSize|PrimesProofs|PrimitiveAbelianGens|PrimitiveAlgebraElement|PrimitiveCentralIdempotentBySP|PrimitiveCentralIdempotentsByCharacterTable|PrimitiveCentralIdempotentsByESSP|PrimitiveCentralIdempotentsByExtSSP|PrimitiveCentralIdempotentsBySP|PrimitiveCentralIdempotentsByStrongSP|PrimitiveCentralIdempotentsUsingConlon|PrimitiveElement|PrimitiveFacExtRepRatPol|PrimitiveGroup|PrimitiveGroupSims|PrimitiveGroupsAvailable|PrimitiveGroupsIterator|PrimitiveIdempotents|PrimitiveIdempotentsNilpotent|PrimitiveIdempotentsTrivialTwisting|PrimitiveIdentification|PrimitiveIndexIrreducibleSolvableGroup|PrimitivePcGroup|PrimitivePcGroupIrreducibleMatrixGroup|PrimitivePcGroupIrreducibleMatrixGroupNC|PrimitivePermGroupIrreducibleMatrixGroup|PrimitivePermGroupIrreducibleMatrixGroupNC|PrimitivePermutationGroupIrreducibleMatrixGroup|PrimitivePermutationGroupIrreducibleMatrixGroupNC|PrimitivePolynomial|PrimitivePolynomialsNr|PrimitivePrimeDivisors|PrimitiveRelationsOfKernelCongruence|PrimitiveRoot|PrimitiveRootMod|PrimitiveSolublePermGroup|PrimitiveSolublePermutationGroup|PrimitiveSolvablePermGroup|PrimitiveSolvablePermutationGroup|PrimitiveUnityRoot|PrincipalCongruenceSubgroup|PrincipalCongruencesOfSemigroup|PrincipalCrossedPairing|PrincipalDerivation|PrincipalDerivations|PrincipalFactor|PrincipalLeftCongruencesOfSemigroup|PrincipalLoopIsotope|PrincipalMonomial|PrincipalRightCongruencesOfSemigroup|Print|Print2GenGroupsViaLiePRings|PrintAlgebraWordAsPolynomial|PrintAmbiguity|PrintArray|PrintAsTerm|PrintBibAsBib|PrintBibAsHTML|PrintBibAsMarkdown|PrintBibAsText|PrintBoundsInfo|PrintCSV|PrintCharacterTable|PrintClmsToLib|PrintCollectionStack|PrintCompressedTable|PrintCounters|PrintDataFileForFPLSA|PrintDefiningAttributes|PrintDerivationTree|PrintDesignParameterPBIBD|PrintExp|PrintFactorsInt|PrintFormatted|PrintFormattedString|PrintFormattingStatus|PrintGAPDocElementTemplates|PrintGroupsViaLiePRings|PrintHashWithNames|PrintIncidenceMat|PrintInitFileForFPLSA|PrintList|PrintMarkedGraphForDisplay|PrintMarkedGraphForViewObj|PrintMarkedGraphFull|PrintMarkedGraphFullWithEverythingComputed|PrintMatPres|PrintMultiplicityVector|PrintMultiplicityVectors|PrintNP|PrintNPList|PrintNPListTrace|PrintNearRingCommutatorsTable|PrintNqPres|PrintObj|PrintObj_ExtendedVectors|PrintObj_IsIteratorOfSmallSemigroups|PrintObj_NormedRowVectors|PrintOrbitOfVertex|PrintOrdering|PrintPadicExpansion|PrintPcPresentation|PrintPcpPresentation|PrintPresentationByPcp|PrintPromptHook|PrintSelection|PrintSelectionFromIterator|PrintSelectionFromIteratorByList|PrintSelectionFromList|PrintSelectionFromListByList|PrintSixFile|PrintStreamBlissGraph|PrintStreamNautyGraph|PrintString|PrintTable|PrintTable2|PrintTo|PrintTo1|PrintToFormatted|PrintToIfChanged|PrintToLib|PrintTorsionSubcomplex|PrintTraceList|PrintTracePol|PrintTree|PrintTreePos|PrintTreeRec|PrintViewCodeword|PrintWithoutFormatting|PrintWord|PrintZGword|Print_Value_SFF|PrismGraph|PrismGraphCons|ProPQuotient|ProPSylowGroupOfPSF|ProPSylowGroupOfPSL|ProPSylowGroupOfSF|ProPSylowGroupOfSL|ProbabilityShapes|ProbablePrimes2|ProbablyStabilizer|ProbablyStabilizerOrbitNumbers|ProcedureToNormalizeGenerators|ProcedureToReadjustGenerators|Process|ProcessAToDoListEntry|ProcessDefaultType|ProcessEpimorphismToNewFpGroup|ProcessFixpoint|ProcessID|ProcessInitFiles|ProcessPariGP|ProcessToDoList|ProcessToDoList_Real|Process_A_ToDo_List_Entry|ProcessesFamily|ProdCoefRatfun|ProdCoeffLaurpol|ProdCoeffUnivfunc|Product|Product3Lists|ProductAutomaton|ProductBOIIdeal|ProductCoeffs|ProductIdeal|ProductMod|ProductMorphism|ProductOfChainMaps|ProductOfFormations|ProductOfIdeals|ProductOfIndeterminates|ProductOfIndeterminatesOverBaseRing|ProductOfLanguages|ProductOfStraightLinePrograms|ProductOp|ProductOp_OnMorphisms|ProductOp_OnObjects|ProductOp_OnTwoCells|ProductPP|ProductPcpGroups|ProductRatExp|ProductReplacer|ProductReplacersFamily|ProductReplacersType|ProductRootsPol|ProductSCT|ProductSpace|ProductTable|ProductWeight|ProductX|ProductXHelp|ProductXHelp0|ProductXHelp1|ProductXHelp2|ProfileFile|ProfileFunctions|ProfileFunctionsInGlobalVariables|ProfileGlobalFunctions|ProfileInfo|ProfileLineByLine|ProfileMethods|ProfileOfNumericalSemigroup|ProfileOperations|ProfileOperationsAndMethods|ProfileOperationsAndMethodsOff|ProfileOperationsAndMethodsOn|ProfileOperationsOff|ProfileOperationsOn|ProfilePackage|ProfileSinglePresentation|ProjComp@RepnDecomp|ProjDimension|ProjDimensionOfModule|ProjEl|ProjElWithFrob|ProjElWithFrobWithPSIsom|ProjEls|ProjElsCollFamily|ProjElsFamily|ProjElsType|ProjElsWithFrob|ProjElsWithFrobCollFamily|ProjElsWithFrobFamily|ProjElsWithFrobType|ProjElsWithFrobWithPSIsom|ProjElsWithFrobWithPSIsomCollFamily|ProjElsWithFrobWithPSIsomFamily|ProjElsWithFrobWithPSIsomType|ProjIrr@RepnDecomp|ProjStab|ProjectFromProductQuiver|ProjectWord|ProjectedFpGModule|ProjectedInducedPcgs|ProjectedPcElement|Projection|ProjectionByNHLB|ProjectionByNHSEB|ProjectionFromBlocks|ProjectionInFactorOfDirectProduct|ProjectionInFactorOfDirectProductWithGivenDirectProduct|ProjectionInFactorOfDirectSum|ProjectionInFactorOfDirectSumWithGivenDirectSum|ProjectionInFactorOfFiberProduct|ProjectionInFactorOfFiberProductWithGivenFiberProduct|ProjectionMap|ProjectionMatrix|ProjectionNC|ProjectionOfFactorPreXMod|ProjectionOfGoodSemigroup|ProjectionOfPureCubicalComplex|ProjectionOntoCoequalizer|ProjectionOntoCoequalizerWithGivenCoequalizer|ProjectionOp|ProjectionToDirectSummandOfGradedFreeModuleGeneratedByACertainDegree|Projections|ProjectionsFromProductObject|ProjectionsOntoDirectFactors|ProjectionsToCoordinates|ProjectionsToInvariantUnionsOfResidueClasses|ProjectiveActionHomomorphismMatrixGroup|ProjectiveActionOnFullSpace|ProjectiveCharDeg|ProjectiveClosureOfPointSet|ProjectiveCompletion|ProjectiveCover|ProjectiveDegree|ProjectiveDimension|ProjectiveElationGroup|ProjectiveExtension|ProjectiveGeneralLinearGroup|ProjectiveGeneralLinearGroupCons|ProjectiveGeneralOrthogonalGroup|ProjectiveGeneralOrthogonalGroupCons|ProjectiveGeneralSemilinearGroup|ProjectiveGeneralSemilinearGroupCons|ProjectiveGeneralUnitaryGroup|ProjectiveGeneralUnitaryGroupCons|ProjectiveHomologyGroup|ProjectiveLift|ProjectiveMaxPlusMatrixType|ProjectiveOmega|ProjectiveOmegaCons|ProjectiveOrder|ProjectivePathAlgebraPresentation|ProjectivePlane|ProjectivePresentation|ProjectivePresentationFamily|ProjectiveQuotient|ProjectiveRepresentationByFunction|ProjectiveReps|ProjectiveResolution|ProjectiveResolutionFpPathAlgebraModule|ProjectiveResolutionFpPathAlgebraModuleFamily|ProjectiveResolutionOfComplex|ProjectiveResolutionOfPathAlgebraModule|ProjectiveResolutionOfSimpleModuleOverEndo|ProjectiveSemilinearMap|ProjectiveSpace|ProjectiveSpaceIsomorphism|ProjectiveSpecialLinearGroup|ProjectiveSpecialLinearGroupCons|ProjectiveSpecialOrthogonalGroup|ProjectiveSpecialOrthogonalGroupCons|ProjectiveSpecialSemilinearGroup|ProjectiveSpecialSemilinearGroupCons|ProjectiveSpecialUnitaryGroup|ProjectiveSpecialUnitaryGroupCons|ProjectiveStabiliserGroupOfSubspace|ProjectiveSymplecticGroup|ProjectiveSymplecticGroupCons|ProjectiveToInjectiveComplex|ProjectiveToInjectiveFiniteComplex|ProjectiveVariety|Projectives|ProjectivesFList|ProjectivesFPrimeList|ProjectivesInfo|Projectivity|ProjectivityByImageOfStandardFrameNC|ProjectivityGroup|Projector|ProjectorFromExtendedBoundaryFunction|ProjectorFunction|ProjectorOp|ProperModuleDecomp|PropertyMethodByNiceMonomorphism|PropertyMethodByNiceMonomorphismCollColl|PropertyMethodByNiceMonomorphismCollElm|PropertyMethodByNiceMonomorphismElmColl|PropertyOfPolymakeObject|ProportionallyModularConditionNS|ProportionallyModularNumericalSemigroup|PseudoDoubleShiftAlgebra|PseudoFrobenius|PseudoFrobeniusOfIdealOfNumericalSemigroup|PseudoFrobeniusOfNumericalSemigroup|PseudoInverse|PseudoList|PseudoListFamily|PseudoRandom|PseudoRandomSeed|PtGrp2DOrthogonalMatrix@SptSet|PtGrp2DProjRep@SptSet|PthPowerImage|PthPowerImages|PullBack|PullBackNaturalHomomorphismsPool|Pullback|PullbackCSPG|PullbackInfo|PullbackKernelCSPG|PullbackPairOfMorphisms|Pullbacks|PuncturedCode|PureComplex|PureComplexBoundary|PureComplexComplement|PureComplexDifference|PureComplexIntersection|PureComplexMeet|PureComplexRandomCell|PureComplexSubcomplex|PureComplexThickened|PureComplexToSimplicialComplex|PureComplexUnion|PureCubicalComplex|PureCubicalComplexDifference|PureCubicalComplexIntersection|PureCubicalComplexToCubicalComplex|PureCubicalComplexToTextFile|PureCubicalComplexUnion|PureCubicalKnot|PureCubicalLink|PurePadicNumberFamily|PurePermutahedralComplex|PurePermutahedralKnot|PureSurfaceBraidFpGroup|PurifyRationalBase|PurityFiltration|PurityFiltrationViaBidualizingSpectralSequence|Push|PushBack|PushFront|PushOptions|PushOut|PushPresentationByIsomorphism|PushVector|Pushout|PushoutFunctorial|PushoutFunctorialWithGivenPushouts|PushoutOfFpGroups|PushoutPairOfMorphisms|Pushouts|PutIntoCache|PutStandardForm|QCAPACITY|QCLDPCCodeFromGroup|QClasses|QDATA|QEAAntiAutomorphism|QEAAutomorphism|QEAHomomorphism|QElementNumber|QFACTOR|QGPrivateFunctions|QHEAD|QLCS|QLCycleSet|QLCycleSetFamily|QLCycleSetInverse|QLCycleSetSum|QLCycleSetType|QNumberElement|QPAStringDirectLeft|QPAStringDirectRight|QPAStringInverseLeft|QPAStringInverseRight|QPAStringQuiverRho|QPAStringSigmaEps|QPA_Cohen2Path|QPA_InArrowIdeal|QPA_Path2Cohen|QPA_Path2CohenFree|QPA_RelationsForPathAlgebra|QQRCode|QQRCodeNC|QRCode|QTAIL|QUASICATONEGROUP_DATA_NOT|QUASICATONEGROUP_DATA_SIZE|QUATERNIONBASIS@FR|QUATERNIONFACTOR@FR|QUATERNIONNORMP@FR|QUEAToUEAMap|QUITTING|QUIT_GAP|QUO|QUOMOD_UPOLY|QUOTIENT_POLYNOMIALS_EXT|QUOTREM_COEFFS_GF2VEC|QUOTREM_COEFFS_VEC8BIT|QUOTREM_LAURPOLS_LISTS|QUOT_UNIVFUNCS|QUO_DEFAULT|QUO_FFE_LARGE|QUO_INT|QUO_MPFR|Q_TO_DEGREE|Q_VEC8BIT|QminusElementNumber|QminusNumberElement|QplusElementNumber|QplusNumberElement|Quadratic|QuadraticCharacter|QuadraticForm|QuadraticFormByBilinearForm|QuadraticFormByMatrix|QuadraticFormByMatrixOp|QuadraticFormByPolynomial|QuadraticFormCollFamily|QuadraticFormFamily|QuadraticFormFieldReduction|QuadraticFormOfUnitForm|QuadraticFormType|QuadraticIdeal|QuadraticNF|QuadraticNumberField|QuadraticPerpOfPathAlgebraIdeal|QuadraticVariety|Quandle|QuandleIsomorphismRepresentatives|QuandleQuandleEnvelope|Quandles|QuantizedUEA|QuantumField|QuantumParameter|QuasiCyclicCode|QuasiDihedralGenerators|QuasiIsomorph|QuasiIsomorphCat1Group|QuasiIsomorphism|QuasigroupByCayleyTable|QuasigroupByLeftSection|QuasigroupByRightFolder|QuasigroupByRightSection|QuasigroupFromFile|QuasigroupIsomorph|QuasigroupsUpToIsomorphism|QuasiregularElements|QuaternionAlgebra|QuaternionAlgebraData|QuaternionGenerators|QuaternionGroup|QuaternionGroupCons|QueenGraph|QueensGraph|QueensGraphCons|QuickInverseRepresentative|QuickMinimizeTuple|QuickUnsolvabilityTestPerm|QuillenComplex|QuitGap|Quiver|QuiverAlgebraOfAmodAeA|QuiverAlgebraOfeAe|QuiverContainingPath|QuiverOfPathAlgebra|QuiverOfPathRing|QuiverProduct|QuiverProductDecomposition|QuiverStaticDictionary|QuoInt|QuotElms|QuotRemCoeffs|QuotRemInt|QuotRemLaurpols|QuotRemPolList|QuotRemPoly|QuotSysDefinitionByIndex|QuotSysIndexByDefinition|Quotient|QuotientBySystem|QuotientByTorsionSubcomplex|QuotientDigraph|QuotientFromSCTable|QuotientGraph|QuotientGroup|QuotientMod|QuotientOfContractibleGcomplex|QuotientOfNumericalSemigroup|QuotientPolynomialsExtRep|QuotientQuasiIsomorph|QuotientQuasiIsomorphism|QuotientRemainder|QuotientSemigroupCongruence|QuotientSemigroupHomomorphism|QuotientSemigroupPreimage|QuotientSystem|QuotientTableAllowableSpace|QuotientTableAssoc|QuotientTableOfCover|QuotientsList|RANDOMAUTS|RANDOMBOUNDED@FR|RANDOMFINITARY@FR|RANDOMNAME@FR|RANDOMPOLYNOMIALGROWTH@FR|RANDOM_DIGRAPH|RANDOM_MULTI_DIGRAPH|RANDOM_SEED|RANDOM_SEED_COUNTER|RANK_FILTERS|RANK_LIST_GF2VECS|RANK_LIST_VEC8BITS|RANK_TRANS|RANK_TRANS_INT|RANK_TRANS_LIST|RBaseGroupsBloxPermGroup|RCCLoop|RCSVReadLine|RCSVSplitString|RCWA|RCWABuildManual|RCWACheckDatabaseOfGroupsGeneratedBy3ClassTranspositions|RCWACons|RCWADoThingsToBeDoneAfterTest|RCWADoThingsToBeDoneBeforeTest|RCWAInfo|RCWALoadExamples|RCWAMAPPING_COMPRESS_COEFFICIENT_LIST|RCWATestAll|RCWATestExamples|RCWATestInstall|RCWA_REP_INDEPENDENT_ATTRIBUTES|RCWA_REP_INDEPENDENT_PROPERTIES|RClass|RClassNC|RClassOfHClass|RClassReps|RClassType|RClasses|RClassesOfSetOfFactorizations|RDSFactorGroupData|REACHABLE|READ|READEVALCOMMAND_LINENUMBER|READLINEINITLINE|READ_3NIL_DATA|READ_ACE_ERRORS|READ_ALL_COMMANDS|READ_ALL_FILE|READ_AS_FUNC|READ_BYTE_FILE|READ_COMMAND_REAL|READ_EVAL_RULE_FILE|READ_GAP_ROOT|READ_IDLIB_FUNCS|READ_INDENT|READ_IOSTREAM|READ_IOSTREAM_NOWAIT|READ_LINE_FILE|READ_LOGIC_FILE|READ_MOREDATA2TO8|READ_NORECOVERY|READ_PREDICATE_IMPLICATION_FILE|READ_PROFILE_FROM_STREAM|READ_SMALL_FUNCS|READ_SMALL_LIB|READ_STREAM_LOOP|READ_STRING_FILE|READ_THEOREM_FILE|RECALCULATE_ALL_METHOD_RANKS|RECBIBXMLHNDLR|RECOG|RECOG_ViewObj|RECORDS_FILE|REC_NAMES|REC_NAMES_COMOBJ|REDUCE_COEFFS_GF2VEC|REDUCE_COEFFS_VEC8BIT|REDUCE_LETREP_WORDS_REW_SYS|REDU_OPER|REF_TAG|REGISTER_FILTER|REMOVE_CHARACTERS|REMOVE_CHARACTERS_FROM_LATEX|REMOVE_OBJ_MAP|REMOVE_OBJ_SET|REMOVE_OUTER_COEFFS_GENERIC|REMOVE_PART_AFTER_FIRST_SUBSTRING|REM_INT|REM_LIST|REM_SET|REORDER_METHODS_SUSPENSION_LEVEL|REPLACE_INTEGER_STRINGS_BY_INTS_AND_VARIABLES_BY_FAIL_RECURSIVE|REPLACE_INTEGER_VARIABLE|REPLACE_VARIABLE|REPN_ComputeUsingMyMethod|REPN_ComputeUsingMyMethodCanonical|REPN_ComputeUsingSerre|REREADING|RESCLASSES_ASSERTIONLEVEL_BACKUP|RESCLASSES_SUPERLATTICES_CACHE|RESCLASSES_VIEWINGFORMAT|RESCLASSES_VIEWINGFORMAT_BACKUP|RESCLASSES_WARNINGLEVEL_BACKUP|RESET_ALL_POSSIBLE_FILTERS_FOR_DEPENDENCY_GRAPH|RESET_SHOW_USED_INFO_CLASSES|RESIZE_GF2VEC|RESIZE_VEC8BIT|RESTRICTED_PERM|RESTRICTED_PPERM|RETURN_FAIL|RETURN_FALSE|RETURN_FIRST|RETURN_NOTHING|RETURN_STRING_BETWEEN_SUBSTRINGS|RETURN_TRUE|REVERSEDWORD@FR|REVNEG_STRING|RFMatrices|RGParameters|RGradedHom|RHom|RIFac|RIGHT|RIGHTACTMACHINE@FR|RIGHTMOST_NONZERO_GF2VEC|RIGHTMOST_NONZERO_VEC8BIT|RIGHT_ONE_PPERM|RIGHT_ONE_TRANS|RIGID_SYMMETRIC_CLOSED_AND_COCLOSED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|RIGID_SYMMETRIC_CLOSED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|RIGID_SYMMETRIC_COCLOSED_MONOIDAL_CATEGORIES_METHOD_NAME_RECORD|RIKer|RINT_MACFLOAT|RIParent|RInducedModule|RInducedModuleOp|RLPOS|RLetters|RMSCongruenceByLinkedTriple|RMSCongruenceByLinkedTripleNC|RMSCongruenceClassByLinkedTriple|RMSCongruenceClassByLinkedTripleNC|RMSElement|RMSElementNC|RMSIsoByTriple|RMSIsoByTripleNC|RMSNormalization|RMatrix|RNamObj|ROOTPOLY_MPC|ROOT_INT|ROOT_MPFR|ROUND_MPFR|ROWSPOS|RPFactorsModPrime|RPGcd1|RPGcdCRT|RPGcdModPrime|RPGcdRepresentationModPrime|RPIFactors|RPIGcd|RPQuotientModPrime|RPSquareHensel|RPerms|RProjectives|RProjectivesVertexList|RREF|RR_BegleitMatrix|RR_BlowUpMat|RR_BruchAlsString|RR_CompositionSeries|RR_ConstructGaloisGroup|RR_CyclicElements|RR_DegreeConclusion|RR_Display|RR_FindGaloisGroup|RR_IsInGalGrp|RR_KoeffizientAlsString|RR_M_KoeffizientAlsString|RR_M_NstInDatei|RR_M_PolyAlsString|RR_M_Radikalbasis|RR_M_WurzelAlsString|RR_M_ZahlAlsString|RR_MapleFile|RR_MatrixField|RR_NstInDatei|RR_PolyAlsString|RR_Potfree|RR_PrimElImg|RR_Produkt|RR_Radikalbasis|RR_Resolvent|RR_RootInH|RR_RootInK|RR_RootOfUnity|RR_Roots|RR_SimplifiedPolynomial|RR_SplittField|RR_TexFile|RR_WurzelAlsString|RR_ZahlAlsString|RR_Zerfaellungskoerper|RRefine|RRestrictedModule|RRestrictedModuleOp|RStarClass|RStarClasses|RStarRelation|RSymTest|RSymTestOp|RT|RUNTIMES|RUN_ATTR_FUNCS|RUN_FROIDURE_PIN|RUN_IMMEDIATE_METHODS_CHECKS|RUN_IMMEDIATE_METHODS_HITS|RUN_IMMEDIATE_METHODS_RUNS|RUN_IN_GGMBI|RWSOfSubgroup|RZMSCongruenceByLinkedTriple|RZMSCongruenceByLinkedTripleNC|RZMSCongruenceClassByLinkedTriple|RZMSCongruenceClassByLinkedTripleNC|RZMSConnectedComponents|RZMSDigraph|RZMSIsoByTriple|RZMSIsoByTripleNC|RZMSNormalization|R_228|R_N|R_X|Rack|Rack2YB|RackElmConstructor|RackElmFamily|RackElmType|RackFamily|RackType|RadialEigenvector|Radical|RadicalDecomposition|RadicalDecompositionOp|RadicalFunction|RadicalGroup|RadicalIdealMembership|RadicalOfAbelianRMGroup|RadicalOfAlgebra|RadicalOfCongruenceModule|RadicalOfForm|RadicalOfFormBaseMat|RadicalOfFpGModule|RadicalOfModule|RadicalOfModuleInclusion|RadicalOfRationalModule|RadicalOp|RadicalRightApproximationByAddM|RadicalSeries|RadicalSeriesAbelianRMGroup|RadicalSeriesOfAlgebra|RadicalSeriesOfFiniteModule|RadicalSeriesOfFpGModule|RadicalSeriesOfRationalModule|RadicalSeriesOfResolution|RadicalSeriesPRMGroup|RadicalSeriesSolvableMatGroup|RadicalSubobject|RadicalSubobjectOp|RadicalSymmAlt|RamificationIndexAtP|RanFreeWord|RanImgSrcSurjBloho|RanImgSrcSurjTraho|Random|RandomAffineSemigroup|RandomAffineSemigroupWithGenusAndDimension|RandomAutomaton|RandomBinaryRelationOnPoints|RandomBipartition|RandomBlockBijection|RandomByPcs|RandomCellOfPureComplex|RandomCentralizerPcpGroup|RandomChamber|RandomClosure|RandomCode|RandomCombination|RandomCubeOfPureCubicalComplex|RandomDiGraph|RandomDigraph|RandomDigraphCons|RandomElement|RandomElm|RandomElmAsWord|RandomElmOrd|RandomElmPpd|RandomFlag|RandomFullAffineSemigroup|RandomGeneratingTuple|RandomGoodSemigroupWithFixedMultiplicity|RandomGroupElement|RandomGrpElm|RandomHashKey|RandomHomomorphismOfFpGModules|RandomIntegerMT|RandomInverseMonoid|RandomInverseMonoidCons|RandomInverseSemigroup|RandomInverseSemigroupCons|RandomInvertibleMat|RandomIsomorphismTest|RandomIsomorphismTestFEM|RandomIsomorphismTestUEM|RandomLattice|RandomLatticeCons|RandomLieElm|RandomLinearCode|RandomList|RandomListForNS|RandomListRepresentingSubAdditiveFunction|RandomLoop|RandomMat|RandomMatrix|RandomMatrixBetweenGradedFreeLeftModules|RandomMatrixBetweenGradedFreeLeftModulesWeighted|RandomMatrixBetweenGradedFreeRightModules|RandomMatrixBetweenGradedFreeRightModulesWeighted|RandomMatrixCons|RandomMatrixOp|RandomModularNumericalSemigroup|RandomMonoid|RandomMonoidCons|RandomMorphism|RandomMorphismByInteger|RandomMorphismByList|RandomMorphismWithFixedRange|RandomMorphismWithFixedRangeByInteger|RandomMorphismWithFixedRangeByList|RandomMorphismWithFixedSource|RandomMorphismWithFixedSourceAndRange|RandomMorphismWithFixedSourceAndRangeByInteger|RandomMorphismWithFixedSourceAndRangeByList|RandomMorphismWithFixedSourceByInteger|RandomMorphismWithFixedSourceByList|RandomMultiDigraph|RandomNilpotentLoop|RandomNormalizerPcpGroup|RandomNumericalSemigroup|RandomNumericalSemigroupWithGenus|RandomObject|RandomObjectByInteger|RandomObjectByList|RandomOrdersSeen|RandomPBR|RandomPartialPerm|RandomPartitionIntoResidueClasses|RandomPcPres|RandomPcgsSylowSubgroup|RandomPcpOrbitStabilizer|RandomPol|RandomPregroupFromSmallGroups|RandomPregroupPresentation|RandomPregroupWord|RandomPrimitivePolynomial|RandomProportionallyModularNumericalSemigroup|RandomQuasigroup|RandomRatExp|RandomSL2Triple|RandomSearcher|RandomSearchersFamily|RandomSearchersType|RandomSemigroup|RandomSemigroupCons|RandomSimplicialGraph|RandomSimplicialTwoComplex|RandomSmallSemigroup|RandomSource|RandomSourcesFamily|RandomSpecialPcgsCoded|RandomString|RandomSubgroupNotIncluding|RandomSubgroupTuple|RandomSubproduct|RandomSubspace|RandomThresholdElement|RandomTournament|RandomTournamentCons|RandomTransformation|RandomTriangleQuotient|RandomUUID|RandomUnimodularMat|RandomVector|RandomWord|Randomize|RandomizeRandomState|Range|Range51|RangeAid|RangeCategoryOfHomomorphismStructure|RangeEmbedding|RangeEndomorphism|RangeHom|RangeOfFunctor|RangeOfSpecialChainMorphism|RangeProjection|Rank|Rank2Parameters|Rank2ResidueFamily|Rank2Residues|Rank2ResiduesAttr|RankAction|RankAttr|RankByWeights|RankDecoding|RankDestructive|RankEncoding|RankFilter|RankHomologyPGroup|RankMat|RankMatDestructive|RankMatrix|RankMatrixDestructive|RankMod|RankMorphism|RankOfBipartition|RankOfBlocks|RankOfFreeGroup|RankOfIndicesListList|RankOfKernelOfActionOnRespectedPartition|RankOfObject|RankOfPartialPerm|RankOfPartialPermCollection|RankOfPartialPermSemigroup|RankOfTransformation|RankPGroup|RankPrimeHomology|RanksLevels|RanksOfDescendingSeries|Rat|RatExpOnnLetters|RatExpOnnLettersObj|RatExpToAut|RatExpToAutomaton|RatExpToNDAut|RatExpToString|RatNumberFromModular|RationalCanonicalFormTransform|RationalClass|RationalClasses|RationalClassesInEANS|RationalClassesSolubleGroup|RationalClassesSolvableGroup|RationalClassesTry|RationalDoubleShiftAlgebra|RationalExpression|RationalFunctionByExtRep|RationalFunctionByExtRepNC|RationalFunctionByExtRepWithCancellation|RationalFunctionsFamily|RationalIdentificationPermGroup|RationalParameters|RationalPseudoDoubleShiftAlgebra|RationalSolutionIntMat|RationalizedMat|Rationals|RatliffRushClosure|RatliffRushClosureOfIdealOfNumericalSemigroup|RatliffRushNumber|RatliffRushNumberOfIdealOfNumericalSemigroup|RattaggiGroup|RayArrowsOfGroupoid|RaysOfGroupoid|Rcwa|RcwaCons|RcwaMapping|RcwaMappingNC|RcwaMappingsFamily|RcwaMappingsOfGFqxFamily|RcwaMappingsOfZFamily|RcwaMappingsOfZ_piFamily|RcwaMappingsOfZxZFamily|RcwaMappingsType|Read|ReadAlgebra|ReadAll|ReadAllIoStreamByPty|ReadAllIoTCPStream|ReadAllLine|ReadAllTokens|ReadAndCheckFunc|ReadAsFunction|ReadBioData|ReadByte|ReadCSV|ReadCSVfileAsPureCubicalKnot|ReadCanonNauty|ReadChar|ReadCharSkipSpace|ReadCommandLineHistory|ReadDIMACSDigraph|ReadDecompositionMatrix|ReadDigraphs|ReadFileForHomalg|ReadFileFromPackageForHomalg|ReadFloatToBlist|ReadGapRoot|ReadGenerators|ReadGrp|ReadImageAsFilteredPureCubicalComplex|ReadImageAsPureCubicalComplex|ReadImageAsWeightFunction|ReadImageSequenceAsPureCubicalComplex|ReadLib|ReadLine|ReadLineByLineProfile|ReadLinkImageAsGaussCode|ReadLinkImageAsPureCubicalComplex|ReadMatrixAsPureCubicalComplex|ReadModuleFromFile|ReadMultiplicationTable|ReadOrComplete|ReadOutputBliss|ReadOutputNauty|ReadPDBfileAsPureCubicalComplex|ReadPDBfileAsPurePermutahedralComplex|ReadPackage|ReadPackageHap|ReadPkg|ReadPlainTextDigraph|ReadQEAFromFile|ReadRWS|ReadSmallLib|ReadStringFromFile|ReadStringToNilpotentLieAlgebra|ReadTag|ReadTest|ReadTestExamplesString|ReadTokensToBlist|ReadTom|ReadWeb|ReadlineInitLine|RealCayleyTriple|RealClasses|RealFormById|RealFormParameters|RealFormsInformation|RealPart|RealStructure|RealWeylGroup|RealizableBrauerCharacters|RealizeAffineAction|RecBibXMLEntry|RecFields|RecNames|RecalculateIncidenceNumbers|Recipe|ReciprocalPolynomial|RecodeForCurrentTerminal|RecogDecompinfoHomomorphism|RecogniseClassical|RecogniseGeneric|RecogniseGroup|RecogniseMatrixGroup|RecognisePermGroup|RecogniseProjectiveGroup|RecognitionAISMatrixGroup|RecognitionAISMatrixGroupNC|RecognitionAbsolutelyIrreducibleSolubleMatrixGroup|RecognitionAbsolutelyIrreducibleSolubleMatrixGroupNC|RecognitionAbsolutelyIrreducibleSolvableMatrixGroup|RecognitionAbsolutelyIrreducibleSolvableMatrixGroupNC|RecognitionInfoFamily|RecognitionInfoType|RecognitionIrredSolMatrixGroup|RecognitionIrredSolMatrixGroupNC|RecognitionIrreducibleSolubleMatrixGroup|RecognitionIrreducibleSolubleMatrixGroupNC|RecognitionIrreducibleSolvableMatrixGroup|RecognitionIrreducibleSolvableMatrixGroupNC|RecognitionPrimitiveSolubleGroup|RecognitionPrimitiveSolvableGroup|RecognizeGeneric|RecognizeGroup|RecognizeMatrixGroup|RecognizePermGroup|RecognizeProjectiveGroup|RecogsFunnyNameFormatterFunction|RecogsFunnyWWWURLFunction|RecordForPresentation|RecordsFamily|RecoverMultiplicationTable|RecoverMultiplicationTableNC|RecoverWholeList|RectangularBand|RectangularBandCons|RecurList|RedPPowerPolyCoeffs|RedPol|RedefineNamesRWS|RedispatchOnCondition|RedmatSpanningIndices|ReduceAffineSubspaceLattice|ReduceAuto|ReduceByRels|ReduceByUnits|ReduceCoefficientsOfRws|ReduceCoeffs|ReduceCoeffsByZeros|ReduceCoeffsMod|ReduceConjugates|ReduceDifferential|ReduceExpo|ReduceGenSet|ReduceGenSet2|ReduceGenerators|ReduceGenerators_alt|ReduceGet|ReduceGroupRelatorSequences|ReduceIdeal|ReduceLetterRepWordsRewSys|ReduceLetterRepWordsRewSysNew|ReduceMat|ReduceMatTransformation|ReduceMatWithEchelonMat|ReduceMatWithEchelonMatTransformation|ReduceMatWithHermiteMat|ReduceMatWithHermiteMatTransformation|ReduceMod|ReduceModM|ReduceModMFunc|ReduceModulePoly|ReduceModulePolyList|ReduceMonoidPoly|ReduceNumberOfGenerators|ReduceNumberOfGeneratorsUsingRecog|ReducePermOper|ReducePermOperNL|ReducePreviousDifferential|ReducePreviousTMap|ReduceRelation|ReduceRightModuleElement|ReduceRules|ReduceStabChain|ReduceTMap|ReduceTail|ReduceToClasses|ReduceTorsionSubcomplex|ReduceUPregroupWord|ReduceVecMod|ReduceWord|ReduceWordCosetsRWS|ReduceWordCosetsWD|ReduceWordKB|ReduceWordRWS|ReduceWordUsingRewritingSystem|ReduceWordWD|Reduce_ci_ppowerpolypcp|Reduce_g_i|Reduce_t_i|Reduce_word_gi_ppowerpolypcp|Reduce_word_ti_ppowerpolypcp|Reduce_x_ij|Reduced|ReducedAdditiveInverse|ReducedBasisOfColumnModule|ReducedBasisOfModule|ReducedBasisOfRowModule|ReducedByIgs|ReducedByIsomorphisms|ReducedByIsomorphismsFEM|ReducedByIsomorphismsFEMAnother|ReducedCharacters|ReducedClassFunctions|ReducedColumnEchelonForm|ReducedComm|ReducedConfluentRewritingSystem|ReducedConfluentRwsFromKbrwsNC|ReducedConjugate|ReducedCosetRepresentative|ReducedDifference|ReducedDigraph|ReducedDigraphAttr|ReducedEfaSeriesPcps|ReducedForm|ReducedFormOfCosetRepresentative|ReducedGaloisStabilizerInfo|ReducedGraphOfGroupoidsWord|ReducedGraphOfGroupsWord|ReducedGrobnerBasis|ReducedGroebnerBasis|ReducedImageElm|ReducedInverse|ReducedKernelOfBooleanFunction|ReducedLatticeBasis|ReducedLeftQuotient|ReducedList|ReducedListQPA|ReducedNFA|ReducedOne|ReducedOrdinary|ReducedPcElement|ReducedPermdegree|ReducedPolynomialRingPresentation|ReducedPolynomialRingPresentationMap|ReducedPower|ReducedProduct|ReducedQuotient|ReducedRelationMat|ReducedRowEchelonForm|ReducedRrsWord|ReducedSCTable|ReducedScalarProduct|ReducedSet|ReducedStartsets|ReducedSubgroupCharacter|ReducedSum|ReducedSuspendedChainComplex|ReducedSyzygiesGenerators|ReducedSyzygiesGeneratorsOfColumns|ReducedSyzygiesGeneratorsOfRows|ReducedSyzygiesOfColumns|ReducedSyzygiesOfRows|ReducedVectorLTM|ReducedWord|ReducedWordByOrdersOfGenerators|ReducedWordIterator|ReducedX|ReducedZero|ReducibleNilpotentMatGroup|ReducibleNilpotentMatGroupFF|ReducibleNilpotentMatGroupRN|ReducingCoefficient|ReducingConjugatorCT3Z|ReducingCyclotomicAlgebra|ReductionAutomaton|ReductionModnZ|ReductionNumber|ReductionNumberIdealNumericalSemigroup|ReductionToFiniteField|Redundancy|Ree|ReeGroup|ReeGroupCons|ReedMullerCode|ReedSolomonCode|ReesCongruenceOfSemigroupIdeal|ReesMatrixSemigroup|ReesMatrixSemigroupElement|ReesMatrixSemigroupOfFamily|ReesMatrixSubsemigroup|ReesMatrixSubsemigroupNC|ReesZeroMatrixSemigroup|ReesZeroMatrixSemigroupElement|ReesZeroMatrixSubsemigroup|ReesZeroMatrixSubsemigroupNC|Reevaluate|RefineBinByFunc|RefineBinByRT|RefineBinByVals|RefineBins|RefineBinsByRT|RefineBinsByVals|RefineClassification|RefineSplitting|RefinedBaseLayer|RefinedChain|RefinedColouring|RefinedColouring_gc|RefinedColouring_group|RefinedDerivedSeries|RefinedDerivedSeriesDown|RefinedIgs|RefinedPcGroup|RefinedPcpGroup|RefinedRespectedPartitions|RefinedSubnormalSeries|RefinedSymmetrisations|RefinedSymmetrizations|RefinementSequence|Refinements|Refinements_Centralizer|Refinements_Intersection|Refinements_ProcessFixpoint|Refinements_RegularOrbit2|Refinements_RegularOrbit3|Refinements_SplitOffBlock|Refinements_Suborbits0|Refinements_Suborbits1|Refinements_Suborbits2|Refinements_Suborbits3|Refinements_TwoClosure|Refinements__MakeBlox|Refinements__RegularOrbit1|RefiningSeries|Reflect|ReflectedCubicalKnot|ReflectionByBilinearForm|ReflectionMat|ReflexiveBooleanMatMonoid|ReflexiveClosureBinaryRelation|RegionSubObjects|RegisterRBasePoint|RegularActionHomomorphism|RegularAdjacencyLowerBound|RegularAdjacencyPolynomial|RegularAdjacencyUpperBound|RegularBooleanMatMonoid|RegularCWClosedSurface|RegularCWComplex|RegularCWComplexComplement|RegularCWComplexWithAttachedRelatorCells|RegularCWComplexWithRemovedCell|RegularCWComplex_AttachCellDestructive|RegularCWComplex_DisjointUnion|RegularCWComplex_WedgeSum|RegularCWDiscreteSpace|RegularCWMap|RegularCWMapToCWSubcomplex|RegularCWOrbitPolytope|RegularCWPolytope|RegularCWSphere|RegularCarrierAlgebraOfSL2Triple|RegularCliqueERGParameters|RegularDClasses|RegularDerivations|RegularElements|RegularModule|RegularModuleByGens|RegularNinKernelCSPG|RegularRepresentationSchurBasisElm|RegularSections|RegularSemigroup|RegularSemisimpleSubalgebras|RegularSetParameters|RegularSetSRGParameters|ReidemeisterMap|ReidemeisterRewriting|RejectOfModule|RelationLattice|RelationLatticeMat|RelationLatticeMod|RelationLatticeModUnits|RelationLatticeOfTFUnits|RelationLatticeOfUnits|RelationLatticePol|RelationLatticeTF|RelationsOfAlgebra|RelationsOfFpMonoid|RelationsOfFpSemigroup|RelationsOfHullModule|RelationsOfModule|RelationsOfStzPresentation|RelativeBasis|RelativeBasisNC|RelativeCentralQuotientSpaceGroup|RelativeDiameter|RelativeGroupHomology|RelativeIndeterminateAntiCommutingVariablesOfExteriorRing|RelativeIndeterminateCoordinatesOfBiasedDoubleShiftAlgebra|RelativeIndeterminateCoordinatesOfDoubleShiftAlgebra|RelativeIndeterminateCoordinatesOfPseudoDoubleShiftAlgebra|RelativeIndeterminateCoordinatesOfRingOfDerivations|RelativeIndeterminateDerivationsOfRingOfDerivations|RelativeIndeterminatesOfPolynomialRing|RelativeIndex|RelativeLeftMultiplicationGroup|RelativeMultiplicationGroup|RelativeOrder|RelativeOrderOfPcElement|RelativeOrderPcp|RelativeOrders|RelativeOrdersBasePcgs|RelativeOrdersOfPcp|RelativeOrdersPcgs_finite|RelativeOrders_CPCS_FactorGU_p|RelativeParametersOfRationalDoubleShiftAlgebra|RelativeParametersOfRationalPseudoDoubleShiftAlgebra|RelativePositionPointAndPolygon|RelativeRepresentationMapOfKoszulId|RelativeRightMultiplicationGroup|RelativeRightTransversal|RelativeSchurMultiplier|Relator|RelatorFixedMultiplier|RelatorMatrixAbelianizedNormalClosure|RelatorMatrixAbelianizedNormalClosureRrs|RelatorMatrixAbelianizedSubgroup|RelatorMatrixAbelianizedSubgroupMtc|RelatorMatrixAbelianizedSubgroupRrs|RelatorModulePoly|RelatorRepresentatives|RelatorSequenceReduce|Relators|RelatorsAndInverses|RelatorsCode|RelatorsOfFpAlgebra|RelatorsOfFpGroup|RelatorsPermGroupHom|RelevantIrreps@RepnDecomp|ReloadAtlasTableOfContents|RelsSortedByStartGen|RelsViaCosetTable|RemInt|RemainderOfDivision|RemainingCompletions|RemainingCompletionsNoSort|RemoteObject|RemoteObjectDefaultType|RemoteObjectsFamily|Remove|RemoveCharacters|RemoveContrapositions|RemoveDictionary|RemoveDigraphEdgeLabel|RemoveDigraphVertexLabel|RemoveDir|RemoveDirectoryRecursively|RemoveEdgeOrbit|RemoveElmList|RemoveFile|RemoveFiles|RemoveHead|RemoveIndecomposable|RemoveIndecomposableOp|RemoveMatWithHeads|RemoveMinimalGeneratorFromAffineSemigroup|RemoveMinimalGeneratorFromNumericalSemigroup|RemoveMorphismAid|RemoveNormalNodes|RemoveNormalNodesOp|RemoveOuterCoeffs|RemovePackage|RemoveRelator|RemoveRimHook|RemoveRimHookOp|RemoveRootParseTree|RemoveSet|RemoveStabChain|RemoveTemporaryPackageFiles|RemoveWPObj|RemovedElementsCode|RemovedNewline|RemovedSinkStates|RemovedSublist|RenameSubobjects|RenumberHighestWeightGenerators|RenumberTree|RenumberedWord|ReorderAlphabetOfKBMAGRewritingSystem|ReorderGeneratorsRWS|RepOpElmTuplesPermGroup|RepOpSetsPermGroup|Repeat|RepeatedString|RepeatedUTF8String|RepeatingList|RepetitionCode|Replace|ReplaceAtlasTableOfContents|ReplaceBlocks@RepnDecomp|ReplaceOnePieceInUnion|ReplacedFileForHomalg|ReplacedString|ReplacedStringForHomalg|ReplacedStringViaRecord|Replicate@RepnDecomp|ReplicationNumber|Representation|RepresentationCentralizerPermRep@RepnDecomp|RepresentationIsomorphism|RepresentationMapOfKoszulId|RepresentationMapOfRingElement|RepresentationMatrixGenerators|RepresentationMatrixOfKoszulId|RepresentationObjectOfKoszulId|RepresentationOfMorphismOnHomogeneousParts|RepresentationsOfMatrix|RepresentationsOfObject|RepresentationsPermutationIrreducibleCharacters|Representative|RepresentativeAction|RepresentativeActionOnRightOnSets|RepresentativeActionOp|RepresentativeActionPreImage|RepresentativeFromGenerators|RepresentativeLinearOperation|RepresentativeOfMinimalDClass|RepresentativeOfMinimalIdeal|RepresentativeOfMinimalIdealNC|RepresentativeOutNeighbours|RepresentativeSmallest|RepresentativeStabilizingRefinement|RepresentativeTom|RepresentativeTomByGenerators|RepresentativeTomByGeneratorsNC|Representatives|RepresentativesActionPreImage|RepresentativesContainedRightCosets|RepresentativesFusions|RepresentativesMinimalBlocks|RepresentativesMinimalBlocksAttr|RepresentativesMinimalBlocksOp|RepresentativesModNormalSubgroup|RepresentativesOfElements|RepresentativesPerfectSubgroups|RepresentativesPowerMaps|RepresentativesSimpleSubgroups|RepresentsGapsOfNumericalSemigroup|RepresentsPeriodicSubAdditiveFunction|RepresentsSmallElementsOfGoodSemigroup|RepresentsSmallElementsOfNumericalSemigroup|RepsCClassesGivenOrder|RepsPerfSimpSub|Reread|RereadAndCheckFunc|RereadGrp|RereadLib|RereadPackage|ResClassesBuildManual|ResClassesDoThingsToBeDoneAfterTest|ResClassesDoThingsToBeDoneBeforeTest|ResClassesTest|ResClassesTestExamples|Reset|ResetCosetsRWS|ResetFilterObj|ResetGraph|ResetMethodReordering|ResetOptionsStack|ResetRWS|ResetRewritingSystem|ResetRewritingSystemOnCosets|ResetTimingStatistics|Residual|ResidualBlockDesign|ResidualFunction|ResidualFunctionOfFormation|ResidualOp|ResidualSubgroupFromScreen|ResidualWrtFormation|ResidualWrtFormationOp|Residue|ResidueClass|ResidueClassNC|ResidueClassRing|ResidueClassRingAsGradedLeftModule|ResidueClassRingAsGradedRightModule|ResidueClassUnion|ResidueClassUnionCons|ResidueClassUnionNC|ResidueClassUnionViewingFormat|ResidueClassUnionWithFixedRepresentatives|ResidueClassUnionsFamily|ResidueClassWithFixedRep|ResidueClassWithFixedRepresentative|ResidueCode|ResidueDegreeAtP|ResidueLabelForEdge|ResidueListRep|ResidueOfFlag|Residues|Residuum|Resolution|ResolutionAbelianGroup|ResolutionAbelianGroup_alt|ResolutionAbelianPcpGroup|ResolutionAffineCrystGroup|ResolutionAlmostCrystalGroup|ResolutionAlmostCrystalQuotient|ResolutionArithmeticGroup|ResolutionArtinGroup|ResolutionAsphericalPresentation|ResolutionBieberbachGroup|ResolutionBoundaryOfWord|ResolutionBoundaryOfWordOnRight|ResolutionCoxeterGroup|ResolutionCubicalCrystGroup|ResolutionDirectProduct|ResolutionDirectProductLazy|ResolutionExtension|ResolutionFiniteCyclicGroup|ResolutionFiniteDirectProduct|ResolutionFiniteExtension|ResolutionFiniteGroup|ResolutionFiniteSubgroup|ResolutionFpGModule|ResolutionFromFLandBoundary|ResolutionGL2QuadraticIntegers|ResolutionGL3QuadraticIntegers|ResolutionGTree|ResolutionGenericGroup|ResolutionGraphOfGroups|ResolutionInfiniteCyclicGroup|ResolutionNilpotentGroup|ResolutionNormalSeries|ResolutionPGL2QuadraticIntegers|ResolutionPGL3QuadraticIntegers|ResolutionPSL2QuadraticIntegers|ResolutionPrimePowerGroup|ResolutionPrimePowerGroupSparse|ResolutionSL2QuadraticIntegers|ResolutionSL2Z|ResolutionSL2ZInvertedInteger|ResolutionSL2Z_alt|ResolutionSmallFpGroup|ResolutionSmallGroup|ResolutionSubgroup|ResolutionSubnormalSeries|ResolutionToEquivariantCWComplex|ResolutionToResolutionOfFpGroup|ResolutionWithRespectToMorphism|ResolvableTDesignBlockMultiplicityBound|ResolveLinearly|RespectedPartition|RespectsAddition|RespectsAdditiveInverses|RespectsInverses|RespectsMultiplication|RespectsOne|RespectsPartition|RespectsQuadraticForm|RespectsScalarMultiplication|RespectsZero|RestoreAlnuthExternalExecutablePermanently|RestoreOrbitFromFile|RestrictAutomorphismsToQuotient|RestrictIsomorphismToLieMultiplicator|RestrictOutputsOfSLP|RestrictRep@RepnDecomp|RestrictToSubgroup|Restricted|RestrictedBall|RestrictedClassFunction|RestrictedClassFunctions|RestrictedCompatibleFunctionNearRing|RestrictedEndomorphismNearRing|RestrictedEndomorphismNearRingFlag|RestrictedEquivariantCWComplex|RestrictedExternalSet|RestrictedInverseGeneralMapping|RestrictedLieAlgebraByStructureConstants|RestrictedMapping|RestrictedMappingGroupoids|RestrictedNiceMonomorphism|RestrictedPartialPerm|RestrictedPartitions|RestrictedPartitionsA|RestrictedPartitionsK|RestrictedPartitionsWithoutRepetitions|RestrictedPerm|RestrictedPermNC|RestrictedTransformation|RestrictedYB|Restriction|RestrictionMappingAlgebra|RestrictionViaAlgebraHomomorphism|RestrictionViaAlgebraHomomorphismMap|ResultOfBBoxProgram|ResultOfLineOfStraightLineProgram|ResultOfStraightLineDecision|ResultOfStraightLineProgram|Resultant|ResumeMethodReordering|Retract|RetrieveRemoteObject|ReturnFail|ReturnFalse|ReturnFirst|ReturnGalElement|ReturnNothing|ReturnTrue|ReverseDominance|ReverseDominanceOp|ReverseFSA|ReverseLexBasis|ReverseNaturalPartialOrder|ReverseOrdering|ReversePath|ReverseSchreierTreeOfSCC|ReverseSparseMat|Reversed|ReversedArrow|ReversedAutomaton|ReversedEchelonMatDestructive|ReversedGraph|ReversedOp|Revision|RewindDemoPosition|RewindStream|RewriteAbelianizedSubgroupRelators|RewriteAbsolutelyIrreducibleMatrixGroup|RewriteDef|RewriteReduce|RewriteStraightLineProgram|RewriteSubgroupRelators|RewriteWord|RewritingSystemFpGroup|RewritingSystemOfSubgroupOfKBMAGRewritingSystem|RewritingSystemOfWordAcceptor|Rho|RhoAct|RhoBound|RhoCosets|RhoFunc|RhoIdentity|RhoInverse|RhoOrb|RhoOrbMult|RhoOrbMults|RhoOrbOpts|RhoOrbRep|RhoOrbSCC|RhoOrbSCCIndex|RhoOrbSchutzGp|RhoOrbSeed|RhoOrbStabChain|RhoRank|RiemannRochBasis|RiemannRochSpaceBasisEffectiveP1|RiemannRochSpaceBasisFunctionP1|RiemannRochSpaceBasisP1|Right2DimensionalGroup|Right2DimensionalMorphism|Right3DimensionalGroup|RightActingAlgebra|RightActingDomain|RightActingGroup|RightActingRingOfIdeal|RightAction|RightActionGroupoid|RightAlgebraModule|RightAlgebraModuleByGenerators|RightAlgebraModuleToPathAlgebraMatModule|RightApproximationByAddM|RightApproximationByPerpT|RightBasis|RightBlocks|RightBolLoop|RightBolLoopByExactGroupFactorization|RightBolLoopByExactGroupFactorizationNC|RightBruckLoop|RightCayleyDigraph|RightCayleyGraphAsAutomaton|RightCayleyGraphMonoidAsAutomaton|RightCayleyGraphSemigroup|RightCongruencesOfSemigroup|RightConjugacyClosedLoop|RightCoset|RightCosetCanonicalRepresentativeDeterminator|RightCosetRepresentatives|RightCosets|RightCosetsAutomaton|RightCosetsNC|RightCosetsOfInverseSemigroup|RightDerivations|RightDerivedCofunctor|RightDistributivityExpanding|RightDistributivityExpandingWithGivenObjects|RightDistributivityFactoring|RightDistributivityFactoringWithGivenObjects|RightDivide|RightDivision|RightDivisionCayleyTable|RightDualizingFunctor|RightFacApproximation|RightFacMApproximation|RightGlobalDimension|RightGroebnerBasis|RightGroebnerBasisOfModule|RightIdeal|RightIdealByGenerators|RightIdealBySubgroup|RightIdealNC|RightIdealOfMaximalMinors|RightIdealOfMinors|RightIdentity|RightInnerMapping|RightInnerMappingGroup|RightInverse|RightInverseLazy|RightInverseOfHomomorphism|RightLexicographicOrdering|RightMagmaCongruence|RightMagmaCongruenceByGeneratingPairs|RightMagmaIdeal|RightMagmaIdealByGenerators|RightMinimalVersion|RightModuleByHomomorphismToMatAlg|RightModuleHomOverAlgebra|RightModuleOverPathAlgebra|RightModuleOverPathAlgebraNC|RightMultiplicationGroup|RightMultiplicationGroupOfQuandle|RightMultiplicationGroupOfQuandleAsPerm|RightMutationOfCotiltingModuleComplement|RightMutationOfTiltingModuleComplement|RightNilpotentIdeals|RightNucleus|RightOne|RightPermutations|RightPresentation|RightPresentationWithDegrees|RightPresentations|RightPresentationsAsFreydCategoryOfCategoryOfColumns|RightPresentationsAsFreydCategoryOfCategoryOfColumnsOfArbitraryRingPrecompiled|RightPresentationsAsFreydCategoryOfCategoryOfColumnsOfCommutativeRingPrecompiled|RightPresentationsAsFreydCategoryOfCategoryOfColumnsOfFieldPrecompiled|RightProjection|RightProjectiveModule|RightPushoutMorphism|RightRotateDynamicTree|RightRotateList|RightSatelliteOfCofunctor|RightSection|RightSemigroupCongruence|RightSemigroupCongruenceByGeneratingPairs|RightSemigroupIdealEnumeratorDataGetElement|RightSeries|RightShiftRowVector|RightSubMApproximation|RightSubmodule|RightTranslation|RightTransversal|RightTransversalInParent|RightTransversalOp|RightTransversalPermGroupConstructor|RightTransversal_alt|RightTransversalsOfGraphOfGroupoids|RightTransversalsOfGraphOfGroups|RightUnitor|RightUnitorInverse|RightUnitorInverseWithGivenTensorProduct|RightUnitorWithGivenTensorProduct|RightVectorOrdering|RightZeroSemigroup|RigidFacetsSubdivision|RigidNilpotentOrbits|RigidSymmetricClosedMonoidalCategoriesTest|RigidSymmetricCoclosedMonoidalCategoriesTest|Ring|RingByGenerators|RingByStructureConstants|RingComm|RingElementConstructor|RingElmTimesCrossedElm|RingElmTimesElm|RingForHomalgInExternalGAP|RingForHomalgInMAGMA|RingForHomalgInMacaulay2|RingForHomalgInMapleUsingInvolutive|RingForHomalgInMapleUsingJanet|RingForHomalgInMapleUsingJanetOre|RingForHomalgInMapleUsingOreModules|RingForHomalgInMapleUsingPIR|RingForHomalgInOscar|RingForHomalgInSage|RingForHomalgInSingular|RingFromFFE|RingGeneralMappingByImages|RingHomomorphismByImages|RingHomomorphismByImagesNC|RingIdeal|RingInt|RingInvariants|RingInvariantsByData|RingMap|RingMapOntoRewrittenResidueClassRing|RingMapOntoSimplifiedOnceResidueClassRing|RingMapOntoSimplifiedResidueClassRing|RingName|RingOfDefinition|RingOfDerivations|RingOfIntegers|RingOfIntegralCyclotomics|RingOfQuadraticIntegers|RingRelations|RingToString|RingWithOne|RingWithOneByGenerators|RipsChainComplex|RipsHomology|Rk2GeoDiameter|Rk2GeoGonality|RookGraph|RookMonoid|RookPartitionMonoid|RooksGraph|RooksGraphCons|Root|Root2dGroup|RootBound|RootDatumInfo|RootFFE|RootGroup|RootGroupHomomorphism|RootIdentities|RootInt|RootMod|RootModPrime|RootModPrimePower|RootObject|RootOfDefiningPolynomial|RootOfDimensionOfCyclotomicAlgebra|RootOfDynamicTree|RootSet|RootSystem|RootSystemOfZGradedLieAlgebra|Roots|RootsAsMatrices|RootsCode|RootsFloat|RootsFloatOp|RootsIteratorOfPartitionDS|RootsMod|RootsModPrime|RootsModPrimePower|RootsOfCode|RootsOfPolynomial|RootsOfPolynomialAsRadicals|RootsOfPolynomialAsRadicalsNC|RootsOfUPol|RootsRepresentativeFFPol|RootsUnityMod|RootsUnityModPrime|RootsUnityModPrimePower|RootsystemOfCartanSubalgebra|RotateList|RotationFactor|Round|RoundCyc|RoundCycDown|RowDegreesOfBettiTable|RowEchelonForm|RowEchelonFormLTM|RowEchelonFormT|RowEchelonFormVector|RowLength|RowOfReesMatrixSemigroupElement|RowOfReesZeroMatrixSemigroupElement|RowRank|RowRankOfMatrix|RowSpace|RowSpaceBasis|RowSpaceTransformation|RowSpaceTransformationInv|Rows|RowsOfMatrix|RowsOfReesMatrixSemigroup|RowsOfReesZeroMatrixSemigroup|RowsWithLeadingIndexHNF|RthElementOfNumericalSemigroup|RuleAtPosKBDAG|Rules|RulesOfSemigroup|RunBBoxProgram|RunExamples|RunImmediateMethods|RunJavaScript|RunSCSCPserver|RunSubdirectProductInfo|RunTask|RunTests|Runtime|Runtimes|S|SANITISE_ACE_OPTIONS|SANITIZE_ARGUMENT_LIST|SANITIZE_RECORD|SC|SCALGEBRAWITHONE@FR|SCAlexanderDual|SCAlgebra|SCAlgebraInfoOfFpLieAlgebra|SCAlgebraNC|SCAlgebraWithOne|SCAlgebraWithOneNC|SCAltshulerSteinberg|SCAntiStar|SCAutomorphismGroup|SCAutomorphismGroupInternal|SCAutomorphismGroupSize|SCAutomorphismGroupStructure|SCAutomorphismGroupTransitivity|SCBdCrossPolytope|SCBdCyclicPolytope|SCBdSimplex|SCBistellarIsManifold|SCBistellarOptions|SCBlowup|SCBoundary|SCBoundaryEx|SCBoundaryOperatorMatrix|SCBoundaryOperatorMatrixOp|SCBoundarySimplex|SCC_UNION_LEFT_RIGHT_CAYLEY_GRAPHS|SCCartesianPower|SCCartesianProduct|SCCentrallySymmetricElement|SCChiralMap|SCChiralMaps|SCChiralTori|SCClose|SCCoboundaryOperatorMatrix|SCCoboundaryOperatorMatrixOp|SCCohomology|SCCohomologyBasis|SCCohomologyBasisAsSimplices|SCCohomologyBasisAsSimplicesOp|SCCohomologyBasisOp|SCCollapseGreedy|SCCollapseLex|SCCollapseRevLex|SCCone|SCConnectedComponents|SCConnectedProduct|SCConnectedSum|SCConnectedSumMinus|SCCopy|SCCupProduct|SCCyclic3Mfld|SCCyclic3MfldByType|SCCyclic3MfldListOfGivenType|SCCyclic3MfldTopTypes|SCDate|SCDehnSommervilleCheck|SCDehnSommervilleMatrix|SCDeletedJoin|SCDetails|SCDifference|SCDifferenceCycleCompress|SCDifferenceCycleExpand|SCDifferenceCycles|SCDim|SCDualGraph|SCEmpty|SCEquivalent|SCEulerCharacteristic|SCExamineComplexBistellar|SCExportIsoSig|SCExportJavaView|SCExportLatexTable|SCExportMacaulay2|SCExportPolymake|SCExportRecognizer|SCExportSnapPy|SCExportToString|SCFVector|SCFVectorBdCrossPolytope|SCFVectorBdCyclicPolytope|SCFVectorBdSimplex|SCFaceLattice|SCFaceLatticeEx|SCFaces|SCFacesEx|SCFacets|SCFacetsEx|SCFillSphere|SCFpBettiNumbers|SCFpBettiNumbersOp|SCFromDifferenceCycles|SCFromFacets|SCFromGenerators|SCFromIsoSig|SCFundamentalGroup|SCGVector|SCGenerators|SCGeneratorsEx|SCGenus|SCGroup|SCGroupNC|SCHVector|SCHandleAddition|SCHasBoundary|SCHasInterior|SCHasseDiagram|SCHeegaardSplitting|SCHeegaardSplittingSmallGenus|SCHomalgBoundaryMatrices|SCHomalgBoundaryMatricesOp|SCHomalgCoboundaryMatrices|SCHomalgCoboundaryMatricesOp|SCHomalgCohomology|SCHomalgCohomologyBasis|SCHomalgCohomologyBasisOp|SCHomalgCohomologyOp|SCHomalgHomology|SCHomalgHomologyBasis|SCHomalgHomologyBasisOp|SCHomalgHomologyOp|SCHomology|SCHomologyBasis|SCHomologyBasisAsSimplices|SCHomologyBasisAsSimplicesOp|SCHomologyBasisOp|SCHomologyClassic|SCHomologyEx|SCHomologyInternal|SCImportPolymake|SCIncidences|SCIncidencesEx|SCIncidencesExOp|SCInfoLevel|SCIntFunc|SCIntFuncHomologyOverlay|SCInterior|SCIntersection|SCIntersectionForm|SCIntersectionFormDimensionality|SCIntersectionFormParity|SCIntersectionFormSignature|SCIsCentrallySymmetric|SCIsCollapsible|SCIsComponentObject|SCIsConnected|SCIsEmpty|SCIsEulerianManifold|SCIsFlag|SCIsHeegaardSplitting|SCIsHomologySphere|SCIsInKd|SCIsInKdOp|SCIsIsomorphic|SCIsKNeighborly|SCIsKNeighborlyOp|SCIsKStackedSphere|SCIsKStackedSphereOp|SCIsLibRepository|SCIsManifold|SCIsManifoldEx|SCIsMovableComplex|SCIsNormalSurface|SCIsOrientable|SCIsPolyhedralComplex|SCIsPositionalObject|SCIsPropertyObject|SCIsPropertyObjectRep|SCIsPseudoManifold|SCIsPure|SCIsShellable|SCIsSimplicialComplex|SCIsSimplyConnected|SCIsSimplyConnectedEx|SCIsSphere|SCIsStronglyConnected|SCIsSubcomplex|SCIsTight|SCIsomorphism|SCIsomorphismEx|SCJoin|SCLabelMax|SCLabelMin|SCLabels|SCLib|SCLibAdd|SCLibAllComplexes|SCLibDelete|SCLibDetermineTopologicalType|SCLibFlush|SCLibInit|SCLibIsLoaded|SCLibLoad|SCLibRepositoryFamily|SCLibRepositoryType|SCLibSearchByAttribute|SCLibSearchByAttributeTmp|SCLibSearchByName|SCLibSize|SCLibStatus|SCLibUpdate|SCLieAlgebra|SCLink|SCLinks|SCLoad|SCLoadXML|SCMailClearPending|SCMailIsEnabled|SCMailIsPending|SCMailSend|SCMailSendPending|SCMailSetAddress|SCMailSetEnabled|SCMailSetMinInterval|SCMappingCylinder|SCMinSmaGens|SCMinimalNonFaces|SCMinimalNonFacesEx|SCMonoid|SCMonoidNC|SCMorseEngstroem|SCMorseIsPerfect|SCMorseMultiplicityVector|SCMorseNumberOfCriticalPoints|SCMorseRandom|SCMorseRandomLex|SCMorseRandomRevLex|SCMorseSpec|SCMorseUST|SCMove|SCMoves|SCNS|SCNSEmpty|SCNSFromFacets|SCNSPropertyHandlers|SCNSSlicing|SCNSTriangulation|SCNSViewProperties|SCName|SCNeighborliness|SCNeighbors|SCNeighborsEx|SCNormalSurfaceFamily|SCNormalSurfaceType|SCNrChiralTori|SCNrCyclic3Mflds|SCNrRegularTorus|SCNumFaces|SCNumFacesOp|SCO_Examples|SCOrientation|SCP_AVECTOR|SCP_AVECTOR2|SCP_CLASS|SCP_COLLECTOR|SCP_CONJUGATES|SCP_DEFAULT_TYPE|SCP_INVERSES|SCP_IS_DEFAULT_TYPE|SCP_NUMBER_RWS_GENERATORS|SCP_POWERS|SCP_RELATIVE_ORDERS|SCP_RWS_GENERATORS|SCP_UNDERLYING_FAMILY|SCP_WEIGHTS|SCPositionalObjectFamily|SCPositionalObjectType|SCProperties|SCPropertiesDropped|SCPropertiesFlush|SCPropertiesManaged|SCPropertiesNames|SCPropertiesTmp|SCPropertiesTmpNames|SCPropertyByName|SCPropertyDrop|SCPropertyHandlersSet|SCPropertyObjectFamily|SCPropertyObjectType|SCPropertySet|SCPropertySetMutable|SCPropertyTmpByName|SCPropertyTmpDrop|SCPropertyTmpSet|SCRExtend|SCRExtendRecord|SCRHNFExtend|SCRMakeStabStrong|SCRMoves|SCRNotice|SCRRandomPerm|SCRRandomString|SCRRandomSubproduct|SCRRestoredRecord|SCRSchTree|SCRSift|SCRSiftOld|SCRStrongGenTest|SCRStrongGenTest2|SCR_SIFT_HELPER|SCRandomize|SCReduceAsSubcomplex|SCReduceComplex|SCReduceComplexEx|SCReduceComplexFast|SCReference|SCRegularMap|SCRegularMaps|SCRegularTorus|SCRelabel|SCRelabelStandard|SCRelabelTransposition|SCRename|SCReread|SCRingDecompositionStandardGens|SCRingElmSift|SCRingElmSiftImages|SCRingGroupElement|SCRingGroupInFamily|SCRingReducedModuli|SCRunTest|SCSCPLogTracesTo|SCSCPLogTracesToGlobal|SCSCPStartTracing|SCSCPStopTracing|SCSCPTraceBlockThread|SCSCPTraceDeblockThread|SCSCPTraceEndProcess|SCSCPTraceEndThread|SCSCPTraceEndTracing|SCSCPTraceNewProcess|SCSCPTraceNewThread|SCSCPTraceReceiveMessage|SCSCPTraceRunThread|SCSCPTraceSendMessage|SCSCPTraceStartTracing|SCSCPTraceSuspendThread|SCSCP_COMPATIBLE_VERSIONS|SCSCP_CURRENT_SESSION_STREAM|SCSCP_GET_ALLOWED_HEADS|SCSCP_GET_SERVICE_DESCRIPTION|SCSCP_GET_SIGNATURE|SCSCP_GET_TRANSIENT_CD|SCSCP_IS_ALLOWED_HEAD|SCSCP_RESTORE_INFO_LEVEL|SCSCP_RETRIEVE|SCSCP_STORE_PERSISTENT|SCSCP_STORE_SESSION|SCSCP_STORE_SESSION_MODE|SCSCP_TRACE_FILE|SCSCP_TRACE_MACHINE_NUMBER|SCSCP_TRACE_PROCESS_ID|SCSCP_TRACE_THREAD_ID|SCSCP_UNBIND|SCSCP_UNBIND_MODE|SCSCP_VERSION|SCSCPconnectionDefaultType|SCSCPconnectionsFamily|SCSCPprocesses|SCSCPqueueLength|SCSCPreset|SCSCPserverAcceptsOnlyTransientCD|SCSCPserverAddress|SCSCPserverMode|SCSCPserverPort|SCSCPservers|SCSCPserviceDescription|SCSCPserviceName|SCSCPserviceVersion|SCSCPtransientCDs|SCSCPwait|SCSave|SCSaveXML|SCSemigroup|SCSemigroupNC|SCSeriesAGL|SCSeriesBdHandleBody|SCSeriesBid|SCSeriesBrehmKuehnelTorus|SCSeriesC2n|SCSeriesCSTSurface|SCSeriesConnectedSum|SCSeriesD2n|SCSeriesHandleBody|SCSeriesHomologySphere|SCSeriesK|SCSeriesKu|SCSeriesL|SCSeriesLe|SCSeriesLensSpace|SCSeriesNSB1|SCSeriesNSB2|SCSeriesNSB3|SCSeriesPrimeTorus|SCSeriesS2xS2|SCSeriesSeifertFibredSpace|SCSeriesSymmetricTorus|SCSeriesTorus|SCSetDate|SCSetReference|SCSettings|SCShelling|SCShellingExt|SCShellings|SCSimplex|SCSimplicialComplexFamily|SCSimplicialComplexType|SCSkel|SCSkelEx|SCSkelExOp|SCSlicing|SCSpan|SCSpanningTree|SCSpanningTreeRandom|SCStar|SCStars|SCStronglyConnectedComponents|SCSurface|SCSuspension|SCTable|SCTableEntry|SCTableProduct|SCTopologicalType|SCUnion|SCUnlabelFace|SCVertexIdentification|SCVertices|SCVerticesEx|SCWedge|SC_TABLE_ENTRY|SC_TABLE_PRODUCT|SCsFromGroupByTransitivity|SCsFromGroupExt|SD_cyclic|SD_cycsaspowers|SD_insertsep|SDproduct|SEARCH@FR|SEARCHMRHOST|SEARCH_FOR_INT_VARIABLE_APPEARANCE|SEARCH_FOR_VARIABLE_NAME_APPEARANCE|SEARCH_WPLIST_FOR_OBJECT|SEBMaker|SEBType|SECH_MPFR|SEC_MPFR|SEEK_POSITION_FILE|SELECT_SMALL_GROUPS_FUNCS|SEMIECHELON_LIST_GF2VECS|SEMIECHELON_LIST_GF2VECS_TRANSFORMATIONS|SEMIECHELON_LIST_VEC8BITS|SEMIECHELON_LIST_VEC8BITS_TRANSFORMATIONS|SEMIGROUPS|SEMIGROUPS_DocXMLFiles|SEMIGROUPS_FilterOfMatrixOverSemiring|SEMIGROUPS_IsDoneIterator_List|SEMIGROUPS_IsHereditarySubset|SEMIGROUPS_IsUniversalFakeOne|SEMIGROUPS_IsValidWSet|SEMIGROUPS_MatrixForIsSemiringIsHomogenousListFunc|SEMIGROUPS_MatrixOverSemiringEntryCheckerCons|SEMIGROUPS_MinimalHereditarySubsetsVertex|SEMIGROUPS_ProcessRandomArgsCons|SEMIGROUPS_ShallowCopy_List|SEMIGROUPS_SmallestLargestElementRClass|SEMIGROUPS_TypeOfMatrixOverSemiringCons|SEMIGROUPS_TypeViewStringOfMatrixOverSemiring|SEMIGROUPS_ValidateWangPair|SEQ2INT@FR|SERIALIZATION_BASE_GF2MAT|SERIALIZATION_BASE_GF2VEC|SERIALIZATION_BASE_MAT8BIT|SERIALIZATION_BASE_VEC8BIT|SERIALIZATION_TAG_BASE|SERVLET|SESSION|SETGENERATORNAMES@FR|SETINVERSENAME@FR|SETTER_FILTER|SETTER_FUNCTION|SET_ACE_ARGS|SET_ACE_OPTIONS|SET_ALL_BLIST|SET_ANUPQ_OPTIONS|SET_ATOMIC_RECORD|SET_ATTRIBUTE_STORING|SET_CARAT_DIR|SET_CONWAYPOLDATA|SET_EARNS|SET_IS_SSORTED_PLIST|SET_MAT_ELM_GF2MAT|SET_MAT_ELM_MAT8BIT|SET_METHODS_OPERATION|SET_NAME@FR|SET_NAMESPACE|SET_NAME_FUNC|SET_PQ_PROPS_AND_ATTRS|SET_PRINT_FORMATTING_ERROUT|SET_PRINT_FORMATTING_STDOUT|SET_PRINT_OBJ_INDEX|SET_RELATIVE_ORDERS|SET_SCOBJ_MAX_STACK_SIZE|SET_TYPE_COMOBJ|SET_TYPE_DATOBJ|SET_TYPE_OBJ|SET_TYPE_POSOBJ|SET_VALUE_OF_CATEGORY_CACHE|SGrobner|SGrobnerModule|SGrobnerTrace|SGrobnerTrunc|SHA256String|SHALLOWCOPYITERATORSMALLSEMI|SHALLOWCOPY_GF2MAT|SHALLOWCOPY_GF2VEC|SHALLOWCOPY_VEC8BIT|SHALLOW_COPY_OBJ|SHELL|SHIFT_LEFT_GF2VEC|SHIFT_RIGHT_GF2VEC|SHIFT_UNIT|SHIFT_VEC8BIT_LEFT|SHIFT_VEC8BIT_RIGHT|SHORTWORDINSET@FR|SHOULD_QUIT_ON_BREAK|SHOWN_USED_INFO_CLASSES|SHOW_STAT|SHOW_USED_INFO_CLASSES|SHRINKCOEFFS_GF2VEC|SHRINKPERM@FR|SIGNAL_CHILD_IOSTREAM|SIGNBIT_MACFLOAT|SIGNBIT_MPFR|SIGN_INT|SIGN_MACFLOAT|SIGN_MPFR|SIGN_PERM|SIGN_RAT|SIMPLEGPSNONL2|SIMPLE_GROUPS_ITERATOR_RANGE|SIMPLE_STRING|SINCOS_MPFR|SINGULARGBASIS|SINH_MACFLOAT|SINH_MPFR|SINTLIST_STRING|SINT_CHAR|SIN_MACFLOAT|SIN_MPFR|SIZE@FR|SIZE_BLIST|SIZE_FLAGS|SIZE_IMMEDIATE_METHOD_ENTRY|SIZE_OBJ|SInducedModule|SInducedModuleOp|SIntChar|SKIPLISTS|SL|SL2Grading|SL2QuadraticIntegers|SL2Triple|SL2Z|SL2ZResolution|SL2ZResolution_alt|SL2ZTree|SL2ZmElementsDecomposition|SLAComponents|SLADBASE|SLAfcts|SLCR|SLDegree|SLM|SLPChainStabilizerChain|SLPChangesSlots|SLPForWordList|SLPOfElm|SLPOfElms|SLPOnlyNeededLinesBackward|SLPReversedRenumbered|SLPforElement|SLPforElementFuncsMatrix|SLPforElementFuncsPerm|SLPforElementFuncsProjective|SLPforElementGeneric|SLPforNiceGens|SLPinLabels|SLUnderlyingField|SMALLER_RATFUN|SMALLEST_FIELD_VECFFE|SMALLEST_GENERATOR_PERM|SMALLEST_IDEM_POW_PPERM|SMALLEST_IDEM_POW_TRANS|SMALLEST_IMAGE_PT|SMALLEST_IMG_TUP_PERM|SMALLEST_MOVED_POINT_PERM|SMALLEST_MOVED_PT_PPERM|SMALLEST_MOVED_PT_TRANS|SMALLGENERATINGSETGENERIC|SMALLGP_PERM11|SMALLGP_PERM3|SMALLGP_PERM5|SMALLGP_PERM7|SMALLINT_STR|SMALLLETTERS|SMALLQUASICATONEGROUP_DATA|SMALLSEMI_ALWAYS_FALSE|SMALLSEMI_ARG_OK|SMALLSEMI_CAN_CREATE_ENUM_NC|SMALLSEMI_CONVERT_ARG_NC|SMALLSEMI_CREATE_ENUM|SMALLSEMI_ENTAB|SMALLSEMI_EQUIV|SMALLSEMI_RETURN|SMALLSEMI_RS|SMALLSEMI_SORT_ARG_NC|SMALLSEMI_STRIP_ARG|SMALLSEMI_TAB_LEVEL|SMALL_AVAILABLE|SMALL_AVAILABLE_FUNCS|SMALL_GROUPS_INFORMATION|SMALL_GROUPS_OLD_ORDER|SMALL_GROUP_FUNCS|SMALL_GROUP_LIB|SMALL_GROUP_LIB_P7|SMALL_GROUP_NUM_P7|SMALL_PRIME_POWERS|SMALL_RINGS_DATA|SMFSTRING|SMInvariantFactors|SMTX|SMTX_AbsoluteIrreducibilityTest|SMTX_AddEqns|SMTX_BasesCSSmallDimDown|SMTX_BasesCSSmallDimUp|SMTX_BasesCompositionSeries|SMTX_BasesMaximalSubmodules|SMTX_BasesMinimalSubmodules|SMTX_BasesMinimalSupermodules|SMTX_BasesSubmodules|SMTX_BasisInOrbit|SMTX_BasisModuleEndomorphisms|SMTX_BasisModuleHomomorphisms|SMTX_BasisRadical|SMTX_BasisSocle|SMTX_CollectedFactors|SMTX_CompleteBasis|SMTX_Distinguish|SMTX_EcheloniseMats|SMTX_EcheloniseNilpotentMatAlg|SMTX_FrobeniusAction|SMTX_GoodElementGModule|SMTX_HomogeneousComponents|SMTX_Homomorphism|SMTX_Homomorphisms|SMTX_Indecomposition|SMTX_InvariantBilinearForm|SMTX_InvariantQuadraticForm|SMTX_InvariantSesquilinearForm|SMTX_IrreducibilityTest|SMTX_IsomorphismComp|SMTX_IsomorphismModules|SMTX_KillAbovePivotsEqns|SMTX_MatrixSum|SMTX_MinimalSubGModule|SMTX_MinimalSubGModules|SMTX_ModuleAutomorphisms|SMTX_NewEqns|SMTX_NilpotentBasis|SMTX_NullspaceEqns|SMTX_OrthogonalSign|SMTX_OrthogonalVector|SMTX_RandomIrreducibleSubGModule|SMTX_SMCoRaEl|SMTX_SortHomGModule|SMTX_SpanOfMinimalSubGModules|SMTX_SpinnedBasis|SMTX_SubGModule|SMTX_SubQuotActions|SNFofREF|SNMAXPRIMS|SO|SOLVABILITY_IMPLYING_FUNCTIONS|SORT_LIST|SORT_LIST_COMP|SORT_MUTABILITY_ERROR_HANDLER|SORT_PARA_LIST|SORT_PARA_LIST_COMP|SOdesargues|SP|SPACESTRINGS|SPECIALIZED_EXTREP_POL|SPECIAL_CHARS_VIEW_STRING|SPINSYM_BrauerTableFromLibrary|SPINSYM_DecompositionInTranspositions|SPINSYM_INIT|SPINSYM_IsAPD|SPINSYM_IsAPO|SPINSYM_Transposition|SPINSYM_YNG_HEAD|SPINSYM_YNG_HEADREG|SPINSYM_YNG_IND|SPINSYM_YNG_IRR|SPINSYM_YNG_IsSplit|SPINSYM_YNG_IsSplitAA|SPINSYM_YNG_IsSplitAS|SPINSYM_YNG_IsSplitSA|SPINSYM_YNG_IsSplitSS|SPINSYM_YNG_OrderOfProductOfDisjointSchurLifts|SPINSYM_YNG_POWERMAPS|SPINSYM_YNG_TSR|SPLIT_INTO_LIST_NAME_AND_INDEX|SPLIT_KOMMAS_NOT_IN_BRACKETS|SPLIT_PARTITION|SPLIT_SINGLE_PART|SPLIT_SINGLE_PART_RECURSIVE|SPLIT_STRING_MULTIPLE|SPLIT_THEOREM|SPRingGeneric|SP_Inverse|SP_Product|SPolynomial|SQ|SQPart|SQParts|SQRT_MACFLOAT|SQRT_MPFR|SQR_MPFR|SRG|SRGIterator|SRGLibraryInfo|SRGParameters|SRGToGlobalParameters|SRestrictedModule|SRestrictedModuleOp|SSPNonESSPAndTheirIdempotents|SSSE|SSSTypes|SSortedList|SSortedListList|STABLE_SORT_LIST|STABLE_SORT_LIST_COMP|STABLE_SORT_PARA_LIST|STABLE_SORT_PARA_LIST_COMP|STANDARD_EXTENDERS|STARTLINE_FUNC|START_TEST|STATEGROWTH@FR|STBBCKT_STRING_CENTRALIZER|STBBCKT_STRING_INTERSECTION|STBBCKT_STRING_MAKEBLOX|STBBCKT_STRING_PROCESSFIX|STBBCKT_STRING_REGORB1|STBBCKT_STRING_REGORB2|STBBCKT_STRING_REGORB3|STBBCKT_STRING_SPLITOFF|STBBCKT_STRING_SUBORBITS0|STBBCKT_STRING_SUBORBITS1|STBBCKT_STRING_SUBORBITS2|STBBCKT_STRING_SUBORBITS3|STBBCKT_STRING_TWOCLOSURE|STBCTEARNS|STDOut|STESynthesis|STGSelFunc|STOP_TEST|STORE|STORED_INFO|STORE_OPER_FLAGS|STRINGBIBXMLHDLR|STRINGGROUP@FR|STRINGIFY|STRINGSTOLMACHINE@FR|STRING_ATOM2GAP@FR|STRING_DIGITS_MACFLOAT|STRING_GROUP@FR|STRING_INT|STRING_LIST_DIR|STRING_LOWER|STRING_LOWER_TRANS|STRING_MPFR|STRING_REPRESENTS_INTEGER|STRING_SINTLIST|STRING_TRANSFORMATION2GAP@FR|STRING_WORD2GAP@FR|STRONGLY_CONNECTED_COMPONENTS_DIGRAPH|STR_TAG|SU|SUBGRAPH_HOMEOMORPHIC_TO_K23|SUBGRAPH_HOMEOMORPHIC_TO_K33|SUBGRAPH_HOMEOMORPHIC_TO_K4|SUBS@FR|SUBSET_MAINTAINED_INFO|SUBTR_BLIST|SUBTR_SET|SUB_CONSTRUCTORS|SUB_FLAGS|SUM|SUM_COEF_POLYNOMIAL|SUM_FFE_LARGE|SUM_FLAGS|SUM_GF2MAT_GF2MAT|SUM_GF2VEC_GF2VEC|SUM_LAURPOLS|SUM_LISTS_SPECIAL|SUM_LIST_LIST_DEFAULT|SUM_LIST_SCL_DEFAULT|SUM_MAT8BIT_MAT8BIT|SUM_MPFR|SUM_SCL_LIST_DEFAULT|SUM_UNIVFUNCS|SUM_VEC8BIT_VEC8BIT|SUdesargues|SV_Splash|SWITCH_OBJ|SYMGP_STABILIZER|SYMMETRIC_DIFFERENCE_OF_ORDERED_SETS_OF_SMALL_INTEGERS|SYM_TAG|SYNTAX_TREE|SYNTAX_TREE_CODE|SageMacros|SameBlock|SameMinorantsSubgroup|SameOrbitOfDescendant|SandlingInfo|SanityCheck|SatakeDiagram|SatisfiesC|SatisfiesD|Saturate|SaturateToDegreeZero|SaturatedClosure|SaturatedFittingFormation|SaturatedFormation|SaturatedNumericalSemigroupClosure|SaturatedNumericalSemigroupsWithFrobeniusNumber|SaturatedSetLoggedModulePoly|Save|SaveAlgebra|SaveAsBitmapPicture|SaveBranch|SaveCommandLineHistory|SaveDecompositionMatrix|SaveHomalgMatrixToFile|SaveMPQSTmp|SaveOnExitFile|SaveOrbitToFile|SaveOrbitWithFilename|SavePcNormalizedUnitGroup|SavePqList|SaveWorkspace|SavingFactor|ScalarOfSimilarity|ScalarProduct|ScalarProductsRows|ScaleInhomoCochain@SptSet|ScanBBoxProgram|ScanMOC|ScanMeatAxeFile|ScanStraightLineDecision|ScanStraightLineProgram|ScanStraightLineProgramOrDecision|Scan_for_AutoDoc_Part|ScatterPlot|Schaper|SchaperMatrix|SchaperOp|ScheduleTask|SchreierData|SchreierTreeOfSCC|SchuMu|SchunckClass|Schur|SchurCover|SchurCoverFP|SchurCoverOfSymmetricGroup|SchurCovering|SchurCovers|SchurExtParPres|SchurExtension|SchurExtensionEpimorphism|SchurIndex|SchurIndexByCharacter|SchurMultPcpGroup|SchurMultiplicatorPPPPcps|SchurMultiplier|SchurPIMFockType|SchurPIMType|SchurSimpleFockType|SchurSimpleType|SchurType|SchurWeylFockType|SchurWeylType|SchutzGpMembership|SchutzenbergerGroup|ScottLength|ScottSigma|ScreenOfFormation|ScriptFromString|Search|SearchCycle|SearchMR|SearchMRBib|SearchingNNKForSSP|Sec|SecHMSM|Sech|SecondCentralElement|SecondCohomologyDimension|SecondCohomologyPPPPcps|SecondEigenvalueFromSRGParameters|SecondEigenvalueInterval|SecondEigenvalueMultiplicity|SecondQuandleAxiomIsSatisfied|SecondSpectralSequenceWithFiltration|SecondWordDifferenceAutomaton|SecondaryGeneratorWordsAugmentedCosetTable|SecondaryImagesAugmentedCosetTable|SecondsDMYhms|Section|SectionByDerivation|SectionByHomomorphism|SectionByHomomorphismNC|SectionInTree|Sections|Seed|SeedFaithfulAction|SeekPositionStream|SegreMap|SegreVariety|Select|SelectField|SelectSmallBraces|SelectSmallGroups|SelectTransitiveGroups|SelectTuple|SelectionIrredSolMatrixGroups|SelectionIrreducibleSolubleMatrixGroups|SelectionIrreducibleSolvableMatrixGroups|SelfDualExtensionOfBooleanFunction|SelfDuality|SelfDualityParabolic|SelfDualitySymplectic|SelfSim|SelfSimFamily|SelfSimilarGroup|SelfSimilarSemigroup|SemiEchelonBasis|SemiEchelonBasisMutable|SemiEchelonBasisMutableP|SemiEchelonBasisMutablePX|SemiEchelonBasisMutableT|SemiEchelonBasisMutableTX|SemiEchelonBasisMutableX|SemiEchelonBasisNC|SemiEchelonBasisNullspace|SemiEchelonBasisNullspaceX|SemiEchelonFactorBase|SemiEchelonMat|SemiEchelonMatDestructive|SemiEchelonMatTransformation|SemiEchelonMatTransformationDestructive|SemiEchelonMats|SemiEchelonMatsDestructive|SemiEchelonMatsNoCo|SemiLatinSquareDuals|SemiSimpleEfaSeries|SemiSimpleGroups|SemiSimpleGroupsCF|SemiSimpleGroupsGC|SemiSimpleGroupsSS|SemiSimpleGroupsTS|SemiSimpleType|SemiStandardTableauType|SemiStandardTableaux|SemiStandardTableauxOp|SemidirectDecompositions|SemidirectDecompositionsOfFiniteGroup|SemidirectFp|SemidirectProduct|SemidirectProductInfo|Semigroup|SemigroupByGenerators|SemigroupByMultiplicationTable|SemigroupByMultiplicationTableNC|SemigroupCongruence|SemigroupCongruenceByGeneratingPairs|SemigroupData|SemigroupDataIndex|SemigroupDirectProductInfo|SemigroupFactorization|SemigroupFactorizationOLD|SemigroupHomomorphismByImagesNC|SemigroupIdeal|SemigroupIdealByGenerators|SemigroupIdealByGeneratorsNC|SemigroupIdealData|SemigroupIdealEnumeratorDataGetElement|SemigroupIdealOfReesCongruence|SemigroupOfAutomFamily|SemigroupOfCayleyDigraph|SemigroupOfRewritingSystem|SemigroupOfSelfSimFamily|SemigroupOfValuesOfCurve_Global|SemigroupOfValuesOfCurve_Local|SemigroupOfValuesOfPlaneCurve|SemigroupOfValuesOfPlaneCurveWithSinglePlaceAtInfinity|SemigroupTCInitialTableSize|SemigroupToddCoxeterInfo|SemigroupViewStringPrefix|SemigroupViewStringSuffix|SemigroupWithObjects|SemigroupsMakeDoc|SemigroupsOfStrongSemilatticeOfSemigroups|SemigroupsTestAll|SemigroupsTestExtreme|SemigroupsTestInstall|SemigroupsTestStandard|SemilatticeOfStrongSemilatticeOfSemigroups|SemilocalizedRcwaMapping|SemiprimeIdeals|Semiring|SemiringByGenerators|SemiringWithOne|SemiringWithOneAndZero|SemiringWithOneAndZeroByGenerators|SemiringWithOneByGenerators|SemiringWithZero|SemiringWithZeroByGenerators|SendBlockingToCAS|SendEmail|SendForkingToCAS|SendMail|SendToCAS|SeparatedQuiver|SeqsOrbits|Seqstacks|SequenceInPatterns|SequencesToRatExp|SeriesByWeights|SeriesSteps|SerreQuotientCategory|SerreQuotientCategoryByCospans|SerreQuotientCategoryByCospansMorphism|SerreQuotientCategoryByCospansMorphismWithSourceAid|SerreQuotientCategoryBySpans|SerreQuotientCategoryBySpansMorphism|SerreQuotientCategoryBySpansMorphismWithRangeAid|SerreQuotientCategoryByThreeArrows|SerreQuotientCategoryByThreeArrowsMorphism|SerreQuotientCategoryByThreeArrowsMorphismWithRangeAid|SerreQuotientCategoryByThreeArrowsMorphismWithSourceAid|SerreQuotientCategoryMorphism|SerreQuotientCategoryMorphismWithRangeAid|SerreQuotientCategoryMorphismWithSourceAid|SerreQuotientConversionFunctor|SesquilinearForm|SesquilinearFormCollFamily|SesquilinearFormFamily|SesquilinearFormType|Set|Set1stSyzygy|SetACEOptions|SetAFiniteFreeResolution|SetAG_AbelImagesGenerators|SetAG_ContractingTable|SetAG_GeneratingSetWithNucleusAutom|SetAG_MinimizedAutomatonList|SetANUPQAutomorphisms|SetANUPQIdentity|SetANonReesCongruenceOfSemigroup|SetAbelImage|SetAbelianExponentResidual|SetAbelianInvariants|SetAbelianInvariantsMultiplier|SetAbelianInvariantsOfList|SetAbelianMinimalNormalSubgroups|SetAbelianModuleAction|SetAbelianModuleGroup|SetAbelianRank|SetAbelianSocle|SetAbelianSocleComponents|SetAbsoluteDiameter|SetAbsoluteValue|SetAcceptingFSA|SetAcos|SetAcosh|SetActedGroup|SetActingDomain|SetActingGroup|SetActionDegree|SetActionForCrossedProduct|SetActionHomomorphismAttr|SetActionKernelExternalSet|SetActionOfNearRingOnNGroup|SetActionOnRespectedPartition|SetActionRank|SetActorCat1Group|SetActorCrossedSquare|SetActorOfExternalSet|SetActorXMod|SetActualLibFileName|SetAddingElement|SetAddingMachine|SetAdditiveElementAsMultiplicativeElement|SetAdditiveElementsAsMultiplicativeElementsFamily|SetAdditiveGenerators|SetAdditiveGroupOfRing|SetAdditiveInverse|SetAdditiveInverseAttr|SetAdditiveInverseForMorphisms|SetAdditiveInverseImmutable|SetAdditiveNeutralElement|SetAdditivelyActingDomain|SetAdjacencyBasesWithOne|SetAdjacencyMatrix|SetAdjacencyMatrixOfQuiver|SetAdjacencyPoset|SetAdjoinedIdentityDefaultType|SetAdjoinedIdentityFamily|SetAdjointBasis|SetAdjointGroup|SetAdjointModule|SetAdjointSemigroup|SetAdjunctMatrix|SetAdmissibleLattice|SetAffineCrystGroupOfPointGroup|SetAffineDegree|SetAffineDimension|SetAffineGroup|SetAffineNormalizer|SetAffineSemigroupInequalities|SetAlgebraActionType|SetAlgebraAsModuleOverEnvelopingAlgebra|SetAlgebraicElementsFamilies|SetAllAutosOfAlgebras|SetAllBlist|SetAllBlocks|SetAllCat1GroupsNumber|SetAllCat2GroupsNumber|SetAllCat3GroupsNumber|SetAllDerivations|SetAllInfoLevels|SetAllInvolutiveCompatibilityCocycles|SetAllSections|SetAllSubnormalSubgroups|SetAlmostCrystallographicInfo|SetAlmostSplitSequence|SetAlnuthExternalExecutable|SetAlnuthExternalExecutablePermanently|SetAlpha|SetAlphabet|SetAlphabetInvolution|SetAlphabetOfFRAlgebra|SetAlphabetOfFRObject|SetAlphabetOfFRSemigroup|SetAlternatingDegree|SetAlternatingSubgroup|SetAmbientDimension|SetAmbientGS|SetAmbientGeometry|SetAmbientLieAlgebra|SetAmbientPolarSpace|SetAmbientRing|SetAmbientSpace|SetAnnihilator|SetAnnihilatorOfModule|SetAnnihilators|SetAntiAutomorphismTau|SetAntiIsomorphismDualSemigroup|SetAntiIsomorphismTransformationSemigroup|SetAntipodeMap|SetAnyCongruenceCategory|SetAnyCongruenceString|SetAperyList|SetAperyListOfNumericalSemigroup|SetAreUnitsCentral|SetArfCharactersOfArfNumericalSemigroup|SetArgument|SetArity|SetArrangementOfMonoidGenerators|SetArrow|SetArrowsOfQuiver|SetArticulationPoints|SetAsBBoxProgram|SetAsCapCategory|SetAsCatObject|SetAsCokernel|SetAsDuplicateFreeList|SetAsGeneralizedMorphismByCospan|SetAsGeneralizedMorphismBySpan|SetAsGeneralizedMorphismByThreeArrows|SetAsGraph|SetAsGroup|SetAsGroupFRMachine|SetAsGroupGeneralMappingByImages|SetAsInternalFFE|SetAsInverseMonoid|SetAsInverseSemigroup|SetAsInverseSemigroupCongruenceByKernelTrace|SetAsKernel|SetAsLeftModuleGeneralMappingByImages|SetAsList|SetAsListCanonical|SetAsMagma|SetAsMatrixGroup|SetAsMealyElement|SetAsMealyMachine|SetAsMonoidFRMachine|SetAsMorphismBetweenFreeLeftPresentations|SetAsMorphismBetweenFreeRightPresentations|SetAsNearRing|SetAsNiceMono|SetAsOriginalPresentation|SetAsPermutation|SetAsPolynomial|SetAsPreferredPresentation|SetAsRing|SetAsSSortedList|SetAsSemigroupFRMachine|SetAsSemiring|SetAsSemiringWithOne|SetAsSemiringWithOneAndZero|SetAsSemiringWithZero|SetAsSortedList|SetAsStraightLineDecision|SetAsStraightLineProgram|SetAsSubgroupFpGroup|SetAsSubgroupOfWholeGroupByQuotient|SetAsTransformation|SetAsVectorSpaceMorphism|SetAsin|SetAsinh|SetAssertionLevel|SetAssociatedBilinearForm|SetAssociatedConcreteSemigroup|SetAssociatedFpSemigroup|SetAssociatedGradedRing|SetAssociatedLeftBruckLoop|SetAssociatedMaximalIdeals|SetAssociatedMonomialAlgebra|SetAssociatedMorphism|SetAssociatedNumberField|SetAssociatedPolynomial|SetAssociatedPolynomialRing|SetAssociatedPrimes|SetAssociatedPrimesOfMaximalCodimension|SetAssociatedReesMatrixSemigroupOfDClass|SetAssociatedRightBruckLoop|SetAssociatedRing|SetAssociatedSemigroup|SetAssociativeObject|SetAssociatorSubloop|SetAstrictionToCoimage|SetAtan|SetAtanh|SetAtlasRepInfoRecord|SetAttachedMalcevCollector|SetAttributesByPurityFiltration|SetAttributesByPurityFiltrationViaBidualizingSpectralSequence|SetAugmentation|SetAugmentationHomomorphism|SetAugmentationIdeal|SetAugmentationIdealNilpotencyIndex|SetAugmentationIdealOfDerivedSubgroupNilpotencyIndex|SetAugmentationIdealPowerFactorGroup|SetAugmentationIdealPowerSeries|SetAugmentedCosetTableMtcInWholeGroup|SetAugmentedCosetTableNormalClosureInWholeGroup|SetAugmentedCosetTableRrsInWholeGroup|SetAutGroupCanonicalLabelling|SetAutGroupCanonicalLabellingBliss|SetAutGroupCanonicalLabellingNauty|SetAutoGroupIsomorphism|SetAutomatonList|SetAutomorphismClass|SetAutomorphismDomain|SetAutomorphismGroup|SetAutomorphismGroupOfGroupoid|SetAutomorphismGroupOfNilpotentLieAlgebra|SetAutomorphismGroupQuandle|SetAutomorphismGroupQuandleAsPerm|SetAutomorphismGroupoidOfGroupoid|SetAutomorphismNearRingFlag|SetAutomorphismOmega|SetAutomorphismPermGroup|SetAutomorphisms|SetAutomorphismsOfTable|SetAuxilliaryTable|SetBack3DimensionalGroup|SetBaerRadical|SetBarAutomorphism|SetBase|SetBaseChangeToCanonical|SetBaseDomain|SetBaseElement|SetBaseIntMat|SetBaseMat|SetBaseOfGroup|SetBaseOrthogonalSpaceMat|SetBasePointOfEGQ|SetBaseRing|SetBaseRoot|SetBases|SetBasis|SetBasisAlgorithmRespectsPrincipalIdeals|SetBasisOfColumnModule|SetBasisOfLiePRing|SetBasisOfProjectives|SetBasisOfRowModule|SetBasisOfSimpleRoots|SetBasisVectors|SetBaumClausenInfo|SetBettiNumbers|SetBettiTable|SetBettiTableOverCoefficientsRing|SetBicyclicUnitGroup|SetBilinearFormMat|SetBilinearFormMatNF|SetBilinearFormOfUnitForm|SetBlissAutomorphismGroup|SetBlissCanonicalDigraphAttr|SetBlissCanonicalLabelling|SetBlocksAttr|SetBlocksInfo|SetBlocksOfDesign|SetBooleanAdjacencyMatrix|SetBorelSubgroup|SetBoundary|SetBoundaryForEquivalence|SetBoundaryFunction|SetBoundsCoveringRadius|SetBrace2CycleSet|SetBrace2YB|SetBranchStructure|SetBranchingIdeal|SetBranchingSubgroup|SetBrauerCharacterValue|SetBravaisGroup|SetBravaisSubgroups|SetBravaisSupergroups|SetBridges|SetCAP_CATEGORY_SOURCE_RANGE_THEOREM_INSTALL_HELPER|SetCASInfo|SetCRISP_SmallGeneratingSet|SetCacheValue|SetCaching|SetCachingObjectCrisp|SetCachingObjectWeak|SetCachingOfCategory|SetCachingOfCategoryCrisp|SetCachingOfCategoryWeak|SetCachingToCrisp|SetCachingToWeak|SetCanBeUsedToDecideZero|SetCanBeUsedToDecideZeroEffectively|SetCanComputeActionOnPoints|SetCanComputeMonomialsWithGivenDegreeForRing|SetCanEasilyCompareElements|SetCanEasilyDetermineCanonicalRepresentativeExternalSet|SetCanEasilySortElements|SetCanUseFroidurePin|SetCanUseGapFroidurePin|SetCanUseLibsemigroupsCongruences|SetCanUseLibsemigroupsFroidurePin|SetCanonicalBasis|SetCanonicalBlocks|SetCanonicalBooleanMat|SetCanonicalForm|SetCanonicalGenerators|SetCanonicalGreensClass|SetCanonicalIdentificationFromCoimageToImageObject|SetCanonicalIdentificationFromImageObjectToCoimage|SetCanonicalMapping|SetCanonicalMultiplicationTable|SetCanonicalMultiplicationTablePerm|SetCanonicalNiceMonomorphism|SetCanonicalPcgs|SetCanonicalPcgsWrtFamilyPcgs|SetCanonicalPcgsWrtHomePcgs|SetCanonicalPcgsWrtSpecialPcgs|SetCanonicalProjection|SetCanonicalReesMatrixSemigroup|SetCanonicalReesZeroMatrixSemigroup|SetCanonicalRepresentativeDeterminatorOfExternalSet|SetCanonicalRepresentativeOfExternalOrbitByPcgs|SetCanonicalRepresentativeOfExternalSet|SetCanonicalStarClass|SetCanonicalTransformation|SetCapCategory|SetCapLogicInfo|SetCapacity|SetCartanDecomposition|SetCartanMatrix|SetCartanName|SetCartanSubalgebra|SetCartanSubalgebrasOfRealForm|SetCartanSubspace|SetCarterSubgroup|SetCastelnuovoMumfordRegularity|SetCastelnuovoMumfordRegularityOfSheafification|SetCat1AlgebraOfXModAlgebra|SetCat1GroupMorphismOfXModMorphism|SetCat1GroupOfXMod|SetCat2GroupMorphismOfCrossedSquareMorphism|SetCat2GroupOfCrossedSquare|SetCatOfComplex|SetCategoryFilter|SetCategoryName|SetCategoryOfOperationWeightList|SetCatnGroupLists|SetCatnGroupNumbers|SetCayleyDeterminant|SetCayleyGraphDualSemigroup|SetCayleyGraphSemigroup|SetCayleyTable|SetCeil|SetCellFilter|SetCenter|SetCenterOfCrossedProduct|SetCentralCharacter|SetCentralElement|SetCentralIdempotentsOfSemiring|SetCentralNormalSeriesByPcgs|SetCentralQuotient|SetCentralizerInGLnZ|SetCentralizerInParent|SetCentralizerNearRingFlag|SetCentralizerPointGroupInGLnZ|SetCentre|SetCentreOfCharacter|SetCentreXMod|SetCgs|SetChapterInfo|SetCharacterDegrees|SetCharacterNames|SetCharacterParameters|SetCharacterTableIsoclinic|SetCharacterTableOfInverseSemigroup|SetCharacteristic|SetCharacteristicFactorsOfGroup|SetCharacteristicOfField|SetCharacteristicPolynomial|SetCharacteristicSubgroups|SetCheckMat|SetCheckPol|SetChernCharacter|SetChernCharacterPolynomial|SetChernPolynomial|SetChevalleyBasis|SetChiefNormalSeriesByPcgs|SetChiefSeries|SetChiefSeriesTF|SetChromaticNumber|SetCircleFamily|SetCircleObject|SetClassInfo|SetClassNames|SetClassNamesTom|SetClassOfLiePRing|SetClassParameters|SetClassPermutation|SetClassPositionsOfCenter|SetClassPositionsOfCentre|SetClassPositionsOfDerivedSubgroup|SetClassPositionsOfDirectProductDecompositions|SetClassPositionsOfElementaryAbelianSeries|SetClassPositionsOfFittingSubgroup|SetClassPositionsOfKernel|SetClassPositionsOfLowerCentralSeries|SetClassPositionsOfMaximalNormalSubgroups|SetClassPositionsOfMinimalNormalSubgroups|SetClassPositionsOfNormalSubgroups|SetClassPositionsOfSolubleResiduum|SetClassPositionsOfSolvableRadical|SetClassPositionsOfSolvableResiduum|SetClassPositionsOfSupersolvableResiduum|SetClassPositionsOfUpperCentralSeries|SetClassRoots|SetClassTypesTom|SetClassWiseConstantOn|SetClassWiseOrderPreservingOn|SetClassWiseOrderReversingOn|SetClassicalGroupInfo|SetCliqueNumber|SetClosedIntervalNS|SetClosedSubsets|SetCoDualOnMorphisms|SetCoDualOnObjects|SetCoKernelOfAdditiveGeneralMapping|SetCoKernelOfMultiplicativeGeneralMapping|SetCoKernelOfWhat|SetCoKernelProjection|SetCoLambdaIntroduction|SetCoRankMorphism|SetCoTraceMap|SetCoastrictionToImage|SetCoboundaryMatrix|SetCocVecs|SetCoclosedCoevaluationForCoDual|SetCoclosedEvaluationForCoDual|SetCocycle|SetCodeDensity|SetCodeNorm|SetCodefectProjection|SetCodegreeOfPartialPermCollection|SetCodegreeOfPartialPermSemigroup|SetCodegreeOfPurity|SetCodomainOfBipartition|SetCodomainProjection|SetCoefficientModule|SetCoefficientRange|SetCoefficientsAndMagmaElements|SetCoefficientsBySupport|SetCoefficientsFamily|SetCoefficientsOfLaurentPolynomial|SetCoefficientsOfMorphism|SetCoefficientsOfNumeratorOfHilbertPoincareSeries|SetCoefficientsOfSigmaAndTheta|SetCoefficientsOfUnivariatePolynomial|SetCoefficientsOfUnivariateRationalFunction|SetCoefficientsOfUnreducedNumeratorOfHilbertPoincareSeries|SetCoefficientsRing|SetCoeffs|SetCoevaluationForDual|SetCohomologicalPeriod|SetCoimageObject|SetCoimageProjection|SetCokernelEpi|SetCokernelNaturalGeneralizedIsomorphism|SetCokernelObject|SetCokernelProjection|SetCollectionsFamily|SetCollineationAction|SetCollineationGroup|SetCollineationSubgroup|SetColorCosetList|SetColorHomomorphism|SetColorPermGroup|SetColorSubgroup|SetColour|SetColumnEchelonForm|SetColumnRankOfMatrix|SetColumnToZero|SetColumns|SetColumnsOfReesMatrixSemigroup|SetColumnsOfReesZeroMatrixSemigroup|SetCommonNonTrivialWeightOfIndeterminates|SetCommutant|SetCommutativeRingOfLinearCategory|SetCommutator|SetCommutatorANC|SetCommutatorFactorGroup|SetCommutatorLength|SetCommutatorNC|SetCompactSimpleRoots|SetCompanionAutomorphism|SetComparisonFunction|SetCompatibleVectorFilter|SetComplementSystem|SetCompleteRewritingSystem|SetComplexConjugate|SetComponentRepsOfPartialPerm|SetComponentRepsOfPartialPermSemigroup|SetComponentRepsOfTransformation|SetComponentRepsOfTransformationSemigroup|SetComponents|SetComponentsOfDirectProductElementsFamily|SetComponentsOfPartialPerm|SetComponentsOfPartialPermSemigroup|SetComponentsOfTransformation|SetComponentsOfTransformationSemigroup|SetCompositionSeries|SetComputedAbelianExponentResiduals|SetComputedAgemos|SetComputedAscendingChains|SetComputedAugmentationIdealPowerFactorGroups|SetComputedBrauerTables|SetComputedClassFusions|SetComputedCoveringSubgroup1s|SetComputedCoveringSubgroup2s|SetComputedCoveringSubgroups|SetComputedCyclicExtensionsTom|SetComputedDiagonalPowers|SetComputedFNormalizerWrtFormations|SetComputedHallSubgroups|SetComputedImprimitivitySystemss|SetComputedIndicators|SetComputedInducedPcgses|SetComputedInjectors|SetComputedIsAbCps|SetComputedIsCps|SetComputedIsIrreducibleMatrixGroups|SetComputedIsMembers|SetComputedIsPNilpotents|SetComputedIsPSolvableCharacterTables|SetComputedIsPSolvables|SetComputedIsPSupersolvables|SetComputedIsPrimitiveMatrixGroups|SetComputedIsXps|SetComputedIsYps|SetComputedLowIndexNormalSubgroupss|SetComputedLowIndexSubgroupClassess|SetComputedMatrixCategoryObjects|SetComputedMaximalSubgroupClassesByIndexs|SetComputedMinimalBlockDimensionOfMatrixGroups|SetComputedMinimalNormalPSubgroupss|SetComputedMonomialsWithGivenDegrees|SetComputedMultAutomAlphabets|SetComputedOmegas|SetComputedPCentralSeriess|SetComputedPCores|SetComputedPResiduals|SetComputedPRumps|SetComputedPSocleComponentss|SetComputedPSocleSeriess|SetComputedPSocles|SetComputedPermGroupOnLevels|SetComputedPermOnLevels|SetComputedPiResiduals|SetComputedPowerMaps|SetComputedPowerSubalgebras|SetComputedPrimeBlockss|SetComputedProjections|SetComputedProjectors|SetComputedRadicals|SetComputedResidualWrtFormations|SetComputedResiduals|SetComputedSCBoundaryOperatorMatrixs|SetComputedSCCoboundaryOperatorMatrixs|SetComputedSCCohomologyBasisAsSimplicess|SetComputedSCCohomologyBasiss|SetComputedSCFpBettiNumberss|SetComputedSCHomalgBoundaryMatricess|SetComputedSCHomalgCoboundaryMatricess|SetComputedSCHomalgCohomologyBasiss|SetComputedSCHomalgCohomologys|SetComputedSCHomalgHomologyBasiss|SetComputedSCHomalgHomologys|SetComputedSCHomologyBasisAsSimplicess|SetComputedSCHomologyBasiss|SetComputedSCIncidencesExs|SetComputedSCIsInKds|SetComputedSCIsKNeighborlys|SetComputedSCIsKStackedSpheres|SetComputedSCNumFacess|SetComputedSCSkelExs|SetComputedStabilizerOfLevels|SetComputedSylowComplements|SetComputedSylowSubgroups|SetComputedTransformationOnLevels|SetComputedTransformationSemigroupOnLevels|SetComputedTransitionMaps|SetComultiplicationMap|SetConductor|SetConductorOfGoodIdeal|SetConductorOfGoodSemigroup|SetConductorOfIdealOfNumericalSemigroup|SetConductorOfNumericalSemigroup|SetConfinalityClasses|SetConfluentMonoidPresentationForGroup|SetConfluentRws|SetCongruencesOfPoset|SetCongruencesOfSemigroup|SetConjugacyClassRepsCompatibleSubgroups|SetConjugacyClasses|SetConjugacyClassesMaximalSubgroups|SetConjugacyClassesPerfectSubgroups|SetConjugacyClassesSubgroups|SetConjugate|SetConjugateANC|SetConjugateNC|SetConjugates|SetConjugatingMatTraceField|SetConjugatorInnerAutomorphism|SetConjugatorOfConjugatorIsomorphism|SetConstantTermOfHilbertPolynomial|SetConstantTimeAccessList|SetConstituentsOfCharacter|SetConstructedAsAnIdeal|SetConstructedFromFpGroup|SetConstructingFilter|SetConstructionInfoCharacterTable|SetConstructorForHomalgMatrices|SetContainingCategory|SetContainsAField|SetContainsSphericallyTransitiveElement|SetContainsTrivialGroup|SetContent|SetContentOfFreeBandElement|SetContentOfFreeBandElementCollection|SetContractingLevel|SetContractingTable|SetConvertHomalgMatrixViaFile|SetConvertHomalgMatrixViaSparseString|SetCoordinateNorm|SetCoordinateRingOfGraph|SetCoordinates|SetCoordinatesOfHyperplane|SetCoproduct|SetCoproduct2dInfo|SetCoproductFunctor|SetCoproductInfo|SetCoreInParent|SetCorrelationAction|SetCorrelationCollineationGroup|SetCorrespondence|SetCos|SetCosetTableFpHom|SetCosetTableInWholeGroup|SetCosetTableNormalClosureInWholeGroup|SetCosetTableOfFpSemigroup|SetCosh|SetCot|SetCoth|SetCounitMap|SetCoverByFreeModule|SetCoverHomomorphism|SetCoverOf|SetCoveringGroups|SetCoveringRadius|SetCoveringSubgroup|SetCoveringSubgroup1|SetCoveringSubgroup2|SetCoxeterMatrix|SetCoxeterPolynomial|SetCrossDiagonalActions|SetCrossedPairing|SetCrossedPairingMap|SetCrossedSquareByAutomorphismGroup|SetCrossedSquareByXModSplitting|SetCrossedSquareMorphismOfCat2GroupMorphism|SetCrossedSquareOfCat2Group|SetCrystCatRecord|SetCrystGroupDefaultAction|SetCrystalBasis|SetCrystalVectors|SetCsc|SetCsch|SetCubeRoot|SetCurrentResolution|SetCutVertices|SetCycleSet2YB|SetCycleStructurePerm|SetCyclesOfPartialPerm|SetCyclesOfPartialPermSemigroup|SetCyclesOfTransformation|SetCyclesOfTransformationSemigroup|SetCyclicExtensionsTom|SetCyclotomic|SetCyclotomicsLimit|SetDClassOfHClass|SetDClassOfLClass|SetDClassOfRClass|SetDClassReps|SetDClassType|SetDClasses|SetDIGRAPHS_Bipartite|SetDIGRAPHS_ConnectivityData|SetDIGRAPHS_Degeneracy|SetDIGRAPHS_Layers|SetDIGRAPHS_Stabilizers|SetDStarClass|SetDStarClasses|SetDStarRelation|SetDTr|SetDataAboutSimpleGroup|SetDataOfCoordinateRingOfGraph|SetDataOfHilbertFunction|SetDataType|SetDecomposeModule|SetDecomposeModuleWithInclusions|SetDecomposeModuleWithMultiplicities|SetDecomposedRationalClass|SetDecompositionIntoPermutationalAndOrderPreservingElement|SetDecompositionMatrix|SetDecompositionTypesOfGroup|SetDecreasingOn|SetDefaultCaching|SetDefaultCachingCrisp|SetDefaultCachingWeak|SetDefaultFieldOfMatrix|SetDefaultFieldOfMatrixGroup|SetDefaultInfoOutput|SetDefectEmbedding|SetDefinedByAmalgamation|SetDefinedByCartesianProduct|SetDefinedByDuplication|SetDefiningCongruenceSubgroups|SetDefiningIdeal|SetDefiningListOfPolynomials|SetDefiningPcgs|SetDefiningPlanesOfEGQByBLTSet|SetDefiningPolynomial|SetDefinitionNC|SetDegreeAction|SetDegreeFFE|SetDegreeGroup|SetDegreeMatrix|SetDegreeOfBinaryRelation|SetDegreeOfBipartition|SetDegreeOfBipartitionCollection|SetDegreeOfBipartitionSemigroup|SetDegreeOfBlocks|SetDegreeOfCharacter|SetDegreeOfChernPolynomial|SetDegreeOfDirichletSeries|SetDegreeOfElementOfGrothendieckGroupOfProjectiveSpace|SetDegreeOfFRElement|SetDegreeOfFRMachine|SetDegreeOfFRSemigroup|SetDegreeOfHomogeneousElement|SetDegreeOfLaurentPolynomial|SetDegreeOfMatrixGroup|SetDegreeOfMorphism|SetDegreeOfPBR|SetDegreeOfPBRCollection|SetDegreeOfPBRSemigroup|SetDegreeOfPartialPermCollection|SetDegreeOfPartialPermSemigroup|SetDegreeOfProjectiveRepresentation|SetDegreeOfRingElement|SetDegreeOfRingElementFunction|SetDegreeOfTorsionFreeness|SetDegreeOfTransformationCollection|SetDegreeOfTransformationSemigroup|SetDegreeOfTree|SetDegreeOperation|SetDegreeOverPrimeField|SetDegreesOfEntries|SetDegreesOfEntriesFunction|SetDehornoyClass|SetDeligneLusztigName|SetDeligneLusztigNames|SetDelta|SetDenominatorOfModuloPcgs|SetDenominatorOfRationalFunction|SetDensity|SetDensityOfSetOfFixedPoints|SetDensityOfSupport|SetDepthOfFRElement|SetDepthOfFRMachine|SetDepthOfFRSemigroup|SetDepthOfUpperTriangularMatrix|SetDerivationClass|SetDerivationFunctionsWithExtraFilters|SetDerivationGraph|SetDerivationImages|SetDerivationName|SetDerivationRelations|SetDerivationRing|SetDerivationWeight|SetDerivations|SetDerivative|SetDerivedLeftRack|SetDerivedLength|SetDerivedRightRack|SetDerivedSeriesOfGroup|SetDerivedSubSkewbrace|SetDerivedSubXMod|SetDerivedSubgroup|SetDerivedSubgroupsTomPossible|SetDerivedSubgroupsTomUnique|SetDerivedSubloop|SetDescriptionOfImplication|SetDesignParameter|SetDesignedDistance|SetDeterminantMat|SetDeterminantMatrix|SetDeterminantOfCharacter|SetDiagonal2DimensionalGroup|SetDiagonalOfMultiplicationTable|SetDiagonalPower|SetDiagramOfGeometry|SetDifferenceSize|SetDifferenceWords|SetDifferentialsOfComplex|SetDigraphAddAllLoopsAttr|SetDigraphAdjacencyFunction|SetDigraphAllSimpleCircuits|SetDigraphBicomponents|SetDigraphCartesianProductProjections|SetDigraphConnectedComponents|SetDigraphCore|SetDigraphDegeneracy|SetDigraphDegeneracyOrdering|SetDigraphDiameter|SetDigraphDirectProductProjections|SetDigraphDualAttr|SetDigraphEdgeLabel|SetDigraphEdgeLabels|SetDigraphEdgeLabelsNC|SetDigraphEdges|SetDigraphGirth|SetDigraphGreedyColouring|SetDigraphGroup|SetDigraphHasLoops|SetDigraphLongestSimpleCircuit|SetDigraphLoops|SetDigraphMaximalCliquesAttr|SetDigraphMaximalCliquesRepsAttr|SetDigraphMaximalIndependentSetsAttr|SetDigraphMaximalIndependentSetsRepsAttr|SetDigraphMaximalMatching|SetDigraphMaximumMatching|SetDigraphMutabilityFilter|SetDigraphMycielskianAttr|SetDigraphNrConnectedComponents|SetDigraphNrEdges|SetDigraphNrLoops|SetDigraphNrStronglyConnectedComponents|SetDigraphNrVertices|SetDigraphOddGirth|SetDigraphOfActionOnPoints|SetDigraphOfGraphOfGroupoids|SetDigraphOfGraphOfGroups|SetDigraphOrbitReps|SetDigraphOrbits|SetDigraphPeriod|SetDigraphRange|SetDigraphReflexiveTransitiveClosureAttr|SetDigraphReflexiveTransitiveReductionAttr|SetDigraphRemoveAllMultipleEdgesAttr|SetDigraphRemoveLoopsAttr|SetDigraphReverseAttr|SetDigraphSchreierVector|SetDigraphShortestDistances|SetDigraphSinks|SetDigraphSmallestLastOrder|SetDigraphSource|SetDigraphSources|SetDigraphStronglyConnectedComponents|SetDigraphSymmetricClosureAttr|SetDigraphTopologicalSort|SetDigraphTransitiveClosureAttr|SetDigraphTransitiveReductionAttr|SetDigraphUndirectedGirth|SetDigraphVertexLabel|SetDigraphVertexLabels|SetDigraphVertices|SetDigraphWelshPowellOrder|SetDihedralDepth|SetDihedralGenerators|SetDimension|SetDimensionBasis|SetDimensionOfAffineSemigroup|SetDimensionOfHilbertPoincareSeries|SetDimensionOfLiePRing|SetDimensionOfMatrixGroup|SetDimensionOfMatrixNearRing|SetDimensionOfMatrixOverSemiring|SetDimensionOfMatrixOverSemiringCollection|SetDimensionOfVectors|SetDimensionVector|SetDimensionsLoewyFactors|SetDimensionsMat|SetDirectFactorsFittingFreeSocle|SetDirectFactorsOfGroup|SetDirectProduct2dInfo|SetDirectProductFunctor|SetDirectProductHigherDimensionalInfo|SetDirectProductInfo|SetDirectProductNearRingFlag|SetDirectSumDecomposition|SetDirectSumInclusions|SetDirectSumInfo|SetDirectSumProjections|SetDirectSummands|SetDiscreteTrivialSubgroupoid|SetDiscriminant|SetDiscriminantOfForm|SetDisplacementSubgroup|SetDisplayOptions|SetDisplayTable|SetDistinguishedObjectOfHomomorphismStructure|SetDistributiveElements|SetDistributors|SetDivisor|SetDixonRecord|SetDomainAssociatedMorphismCodomainTriple|SetDomainEmbedding|SetDomainOfBipartition|SetDomainOfPartialPerm|SetDomainOfPartialPermCollection|SetDotDigraph|SetDotNSEngine|SetDotPartialOrderDigraph|SetDotPreorderDigraph|SetDotSemilatticeOfIdempotents|SetDotSymmetricDigraph|SetDown|SetDown2|SetDown2DimensionalGroup|SetDown2DimensionalMorphism|SetDown3|SetDown3DimensionalGroup|SetDownOnlyMorphismData|SetDownToBottom|SetDual|SetDualAlgebraModule|SetDualAutomFamily|SetDualBiset|SetDualOfAlgebraAsModuleOverEnvelopingAlgebra|SetDualOfModule|SetDualOfModuleHomomorphism|SetDualOnMorphisms|SetDualOnObjects|SetDualSemigroup|SetDualSemigroupOfFamily|SetEANormalSeriesByPcgs|SetEUnitaryInverseCover|SetEarns|SetEchelonMat|SetEchelonMatTransformation|SetEdgesOfHigherDimensionalGroup|SetEfaSeries|SetEggBoxOfDClass|SetElationGroup|SetElementOfGrothendieckGroup|SetElementOfGrothendieckGroupOfProjectiveSpace|SetElementTestFunction|SetElementTypeOfStrongSemilatticeOfSemigroups|SetElementaryAbelianProductResidual|SetElementaryAbelianSeries|SetElementaryAbelianSeriesLargeSteps|SetElementaryAbelianSubseries|SetElementaryDivisors|SetElementaryRank|SetElementsFamily|SetElementsOfGroupoid|SetElementsOfMonoidPresentation|SetEliahouNumber|SetElmWPObj|SetEmbedRangeAutos|SetEmbedSourceAutos|SetEmbeddingDimension|SetEmbeddingDimensionOfNumericalSemigroup|SetEmbeddingInSuperObject|SetEmbeddingIntoFreeProduct|SetEmbeddingOfAscendingSubgroup|SetEmbeddingOfSubmoduleGeneratedByHomogeneousPart|SetEmbeddingOfTruncatedModuleInSuperModule|SetEmbeddingsInNiceObject|SetEmptyRowVector|SetEndOverAlgebra|SetEndWeight|SetEndoMappingFamily|SetEndomorphismMonoid|SetEndomorphismNearRingFlag|SetEndomorphismRing|SetEndomorphisms|SetEndomorphismsOfLpGroup|SetEntry|SetEntryCover|SetEntrySCTable|SetEnumerator|SetEnumeratorByBasis|SetEnumeratorCanonical|SetEnumeratorSorted|SetEnvelopingAlgebra|SetEnvelopingAlgebraHomomorphism|SetEpiOfPushout|SetEpiOnFactorObject|SetEpiOnLeftFactor|SetEpiOnRightFactor|SetEpicenter|SetEpicentre|SetEpimorphismFromFreeGroup|SetEpimorphismFromSomeProjectiveObject|SetEpimorphismSchurCover|SetEpimorphismSchurCover@FR|SetEquationForPolarSpace|SetEquationOfHyperplane|SetEquationOrderBasis|SetEquations|SetEquivalence|SetEquivalenceClassRelation|SetEquivalenceClasses|SetEquivalenceRelationCanonicalLookup|SetEquivalenceRelationCanonicalPartition|SetEquivalenceRelationLookup|SetEquivalenceRelationPartition|SetEquivalenceRelationPartitionWithSingletons|SetEquivalenceSmallSemigroup|SetErf|SetErrorProbability|SetEulerCharacteristic|SetEval|SetEvalAddMat|SetEvalCertainColumns|SetEvalCertainRows|SetEvalCoefficientsWithGivenMonomials|SetEvalCoercedMatrix|SetEvalCompose|SetEvalConvertColumnToMatrix|SetEvalConvertMatrixToColumn|SetEvalConvertMatrixToRow|SetEvalConvertRowToMatrix|SetEvalDiagMat|SetEvalDualKroneckerMat|SetEvalInverse|SetEvalInvolution|SetEvalKroneckerMat|SetEvalLeftInverse|SetEvalMatrixOfRelations|SetEvalMatrixOfRingRelations|SetEvalMatrixOperation|SetEvalMulMat|SetEvalMulMatRight|SetEvalRightInverse|SetEvalRingElement|SetEvalSubMat|SetEvalSyzygiesOfColumns|SetEvalSyzygiesOfRows|SetEvalTransposedMatrix|SetEvalUnionOfColumns|SetEvalUnionOfRows|SetEvaluatedMatrixOfRelations|SetEvaluatedMatrixOfRingRelations|SetEvaluationForDual|SetExecutionObject|SetExp|SetExp10|SetExp2|SetExplicitMultiplicationNearRingElementFamilies|SetExpm1|SetExponent|SetExponentOfPowering|SetExtRepDenominatorRatFun|SetExtRepNumeratorRatFun|SetExtRepPolynomialRatFun|SetExtSSPAndDim|SetExtensionInfoCharacterTable|SetExteriorAlgebra|SetExteriorCenter|SetExteriorCentre|SetExteriorPowerBaseModule|SetExteriorPowerExponent|SetExteriorPowers|SetExternalOrbits|SetExternalOrbitsStabilizers|SetExternalSet|SetExternalSetXMod|SetFCCentre|SetFGA_Image|SetFGA_NielsenAutomorphisms|SetFGA_Source|SetFGA_WhiteheadAutomorphisms|SetFGA_WhiteheadParams|SetFNormalizerWrtFormation|SetFPFaithHom|SetFRBranchGroupConjugacyData|SetFRConjugacyAlgorithm|SetFRGroupImageData|SetFRGroupPreImageData|SetFRMachineOfBiset|SetFRMachineRWS|SetFacesOfHigherDimensionalGroup|SetFactorNearRingFlag|SetFactorObject|SetFactorOrder|SetFactorizationIntoCSCRCT|SetFactorizationIntoElementaryCSCRCT|SetFactorsOfDirectProduct|SetFaithfulDimension|SetFaithfulModule|SetFamiliesOfGeneralMappingsAndRanges|SetFamilyForOrdering|SetFamilyForRewritingSystem|SetFamilyPcgs|SetFamilyRange|SetFamilySource|SetFareySymbol|SetFeatureObj|SetFibre|SetFibreElement|SetFieldOfMatrixGroup|SetFieldOfUnitGroup|SetFilterObj|SetFiltrationByShortExactSequence|SetFinalStatesOfAutomaton|SetFingerprintDerivedSeries|SetFingerprintMatrixGroup|SetFingerprintOfCharacterTable|SetFiniteFreeResolutionExists|SetFiniteSubgroupClasses|SetFittingClass|SetFittingFormation|SetFittingFreeLiftSetup|SetFittingIdeal|SetFittingLength|SetFittingSubgroup|SetFix|SetFixedPointsOfAffinePartialMappings|SetFixedPointsOfPartialPerm|SetFixedPointsOfPartialPermSemigroup|SetFixedPointsOfTransformationSemigroup|SetFixedRelatorsOfLpGroup|SetFixedStatesOfFRElement|SetFlatKernelOfTransformation|SetFloats|SetFloor|SetFpElementNFFunction|SetFpElmComparisonMethod|SetFpElmEqualityMethod|SetFpTietzeIsomorphism|SetFrExp|SetFrac|SetFrattExtInfo|SetFrattiniFactor|SetFrattiniSubgroup|SetFrattiniSubloop|SetFrattinifactorId|SetFrattinifactorSize|SetFreeAlgebraOfFpAlgebra|SetFreeFactors|SetFreeGeneratorsOfFpAlgebra|SetFreeGeneratorsOfFpGroup|SetFreeGeneratorsOfFpMonoid|SetFreeGeneratorsOfFpSemigroup|SetFreeGeneratorsOfFullPreimage|SetFreeGeneratorsOfGroup|SetFreeGeneratorsOfLpGroup|SetFreeGroupAutomaton|SetFreeGroupExtendedAutomaton|SetFreeGroupOfFpGroup|SetFreeGroupOfLpGroup|SetFreeGroupOfPresentation|SetFreeMonoidOfFpMonoid|SetFreeMonoidOfRewritingSystem|SetFreeProductInfo|SetFreeProductWithAmalgamationInfo|SetFreeRelatorGroup|SetFreeRelatorHomomorphism|SetFreeSemigroupOfFpSemigroup|SetFreeSemigroupOfKnuthBendixRewritingSystem|SetFreeSemigroupOfRewritingSystem|SetFreeYSequenceGroup|SetFreeYSequenceGroupKB|SetFrobeniusAutomorphism|SetFrobeniusForm|SetFrobeniusLinearFunctional|SetFrobeniusNumber|SetFrobeniusNumberOfIdealOfNumericalSemigroup|SetFrobeniusNumberOfNumericalSemigroup|SetFromIdentityToDoubleStarHomomorphism|SetFront3DimensionalGroup|SetFullSCFilter|SetFullSCVertex|SetFullSubobject|SetFullTrivialSubgroupoid|SetFunctionAction|SetFunctionCalledBeforeInstallation|SetFunctorCanonicalizeZeroMorphisms|SetFunctorCanonicalizeZeroObjects|SetFunctorDoubleDualLeft|SetFunctorDoubleDualRight|SetFunctorDualLeft|SetFunctorDualRight|SetFunctorFromCospansToSpans|SetFunctorFromCospansToThreeArrows|SetFunctorFromSpansToCospans|SetFunctorFromSpansToThreeArrows|SetFunctorFromTerminalCategory|SetFunctorFromThreeArrowsToCospans|SetFunctorFromThreeArrowsToSpans|SetFunctorGetRidOfZeroGeneratorsLeft|SetFunctorGetRidOfZeroGeneratorsRight|SetFunctorLessGeneratorsLeft|SetFunctorLessGeneratorsRight|SetFunctorMorphismOperation|SetFunctorObjCachedValue|SetFunctorObjectOperation|SetFunctorStandardModuleLeft|SetFunctorStandardModuleRight|SetFundamentalGaps|SetFundamentalGapsOfNumericalSemigroup|SetFundamentalModules|SetFusionConjugacyClassesOp|SetFusionToTom|SetFusionsOfLibTom|SetFusionsToLibTom|SetFusionsTom|SetGAPDocHTMLStyle|SetGAPDocTextTheme|SetGLDegree|SetGLUnderlyingField|SetGaloisGroup|SetGaloisGroupOnRoots|SetGaloisMat|SetGaloisStabilizer|SetGaloisType|SetGamma|SetGap3CatalogueIdGroup|SetGapDocHTMLOptions|SetGapDocLaTeXOptions|SetGapDocLanguage|SetGapDocTxtOptions|SetGapFroidurePin|SetGaps|SetGapsOfNumericalSemigroup|SetGasmanMessageStatus|SetGeneralLinearRank|SetGeneralisedQuaternionGenerators|SetGeneralizedCoimageProjection|SetGeneralizedCokernelProjection|SetGeneralizedEmbeddingsInTotalDefects|SetGeneralizedEmbeddingsInTotalObjects|SetGeneralizedFareySequence|SetGeneralizedImageEmbedding|SetGeneralizedInverseByCospan|SetGeneralizedInverseBySpan|SetGeneralizedInverseByThreeArrows|SetGeneralizedKernelEmbedding|SetGeneralizedMorphismByCospansObject|SetGeneralizedMorphismBySpansObject|SetGeneralizedMorphismByThreeArrowsObject|SetGeneralizedMorphismCategoryByCospans|SetGeneralizedMorphismCategoryBySpans|SetGeneralizedMorphismCategoryByThreeArrows|SetGeneralizedPcgs|SetGeneratingAutomatonList|SetGeneratingAutomorphisms|SetGeneratingCat1Groups|SetGeneratingPairsOfAnyCongruence|SetGeneratingPairsOfLeftMagmaCongruence|SetGeneratingPairsOfMagmaCongruence|SetGeneratingPairsOfRightMagmaCongruence|SetGeneratingRecurList|SetGeneratingSetOfMultiplier|SetGeneratingSetWithNucleus|SetGeneratingSetWithNucleusAutom|SetGenerationOrder|SetGenerationPairs|SetGenerationTree|SetGeneratorMat|SetGeneratorPol|SetGenerators|SetGeneratorsImages|SetGeneratorsOfAdditiveGroup|SetGeneratorsOfAdditiveMagma|SetGeneratorsOfAdditiveMagmaWithInverses|SetGeneratorsOfAdditiveMagmaWithZero|SetGeneratorsOfAffineSemigroup|SetGeneratorsOfAlgebra|SetGeneratorsOfAlgebraModule|SetGeneratorsOfAlgebraWithOne|SetGeneratorsOfCayleyDigraph|SetGeneratorsOfCongruenceLattice|SetGeneratorsOfDivisionRing|SetGeneratorsOfDomain|SetGeneratorsOfEndomorphismMonoidAttr|SetGeneratorsOfEquivalenceRelationPartition|SetGeneratorsOfExtASet|SetGeneratorsOfExtLSet|SetGeneratorsOfExtRSet|SetGeneratorsOfExtUSet|SetGeneratorsOfFLMLOR|SetGeneratorsOfFLMLORWithOne|SetGeneratorsOfFRMachine|SetGeneratorsOfField|SetGeneratorsOfGroup|SetGeneratorsOfGroupoid|SetGeneratorsOfIdeal|SetGeneratorsOfIdealOfAffineSemigroup|SetGeneratorsOfIdealOfNumericalSemigroup|SetGeneratorsOfInverseMonoid|SetGeneratorsOfInverseSemigroup|SetGeneratorsOfKernelOfRingMap|SetGeneratorsOfLeftIdeal|SetGeneratorsOfLeftMagmaIdeal|SetGeneratorsOfLeftModule|SetGeneratorsOfLeftOperatorAdditiveGroup|SetGeneratorsOfLeftOperatorRing|SetGeneratorsOfLeftOperatorRingWithOne|SetGeneratorsOfLeftVectorSpace|SetGeneratorsOfLoop|SetGeneratorsOfMagma|SetGeneratorsOfMagmaIdeal|SetGeneratorsOfMagmaWithInverses|SetGeneratorsOfMagmaWithObjects|SetGeneratorsOfMagmaWithOne|SetGeneratorsOfMaximalLeftIdeal|SetGeneratorsOfMaximalRightIdeal|SetGeneratorsOfModulePoly|SetGeneratorsOfMonoid|SetGeneratorsOfMonoidWithObjects|SetGeneratorsOfMunnSemigroup|SetGeneratorsOfNearAdditiveGroup|SetGeneratorsOfNearAdditiveMagma|SetGeneratorsOfNearAdditiveMagmaWithInverses|SetGeneratorsOfNearAdditiveMagmaWithZero|SetGeneratorsOfNearRing|SetGeneratorsOfNearRingIdeal|SetGeneratorsOfNearRingLeftIdeal|SetGeneratorsOfNearRingRightIdeal|SetGeneratorsOfNumericalSemigroup|SetGeneratorsOfOrderTwo|SetGeneratorsOfPresentationIdeal|SetGeneratorsOfPrimeIdeal|SetGeneratorsOfQuasigroup|SetGeneratorsOfQuiver|SetGeneratorsOfRightIdeal|SetGeneratorsOfRightMagmaIdeal|SetGeneratorsOfRightModule|SetGeneratorsOfRightOperatorAdditiveGroup|SetGeneratorsOfRing|SetGeneratorsOfRingWithOne|SetGeneratorsOfRws|SetGeneratorsOfSemigroup|SetGeneratorsOfSemigroupIdeal|SetGeneratorsOfSemigroupWithObjects|SetGeneratorsOfSemiring|SetGeneratorsOfSemiringWithOne|SetGeneratorsOfSemiringWithOneAndZero|SetGeneratorsOfSemiringWithZero|SetGeneratorsOfStzPresentation|SetGeneratorsOfTwoSidedIdeal|SetGeneratorsOfVectorSpace|SetGeneratorsSmallest|SetGeneratorsSubgroupsTom|SetGenericModule|SetGenesis|SetGenus|SetGenusOfNumericalSemigroup|SetGeometryOfDiagram|SetGermData|SetGerms|SetGirthEdge|SetGlobalDimension|SetGlobalPartitionOfClasses|SetGoodGeneratorsIdealGS|SetGorensteinDimension|SetGrade|SetGradeIdeal|SetGradedAlgebraPresentationFamily|SetGradedLambdaHT|SetGradedLambdaOrbs|SetGradedRhoHT|SetGradedRhoOrbs|SetGradedTorsionFreeFactor|SetGrading|SetGramMatrix|SetGraphOfGraphInverseSemigroup|SetGraphOfGroupoidsOfWord|SetGraphOfGroupsOfWord|SetGraphOfGroupsRewritingSystem|SetGreensDClasses|SetGreensDRelation|SetGreensHClasses|SetGreensHRelation|SetGreensJClasses|SetGreensJRelation|SetGreensLClasses|SetGreensLRelation|SetGreensRClasses|SetGreensRRelation|SetGroebnerBasisFunction|SetGroebnerBasisOfIdeal|SetGroebnerBasisOfLeftIdeal|SetGroebnerBasisOfRightIdeal|SetGrothendieckGroup|SetGroupBases|SetGroupByPcgs|SetGroupClass|SetGroupElementRepOfNearRingElement|SetGroupGroupoid|SetGroupHClass|SetGroupHClassOfGreensDClass|SetGroupInfoForCharacterTable|SetGroupKernelOfNearRingWithOne|SetGroupName|SetGroupNucleus|SetGroupOfAutomFamily|SetGroupOfCayleyDigraph|SetGroupOfPcgs|SetGroupOfSelfSimFamily|SetGroupOfUnits|SetGroupReduct|SetGroupRelatorsOfPresentation|SetGroupoidsOfGraphOfGroupoids|SetGroupsOfGraphOfGroups|SetGroupsOfHigherDimensionalGroup|SetGrowthFunctionOfGroup|SetGrp|SetHAPDerivationFamily|SetHAPPRIME_HilbertSeries|SetHAPRingHomomorphismFamily|SetHAP_MultiplicativeGenerators|SetHClassReps|SetHClassType|SetHClasses|SetHKrules|SetHStarClasses|SetHStarRelation|SetHallSubgroup|SetHallSystem|SetHamiltonianPath|SetHasAntiautomorphicInverseProperty|SetHasAutomorphicInverseProperty|SetHasCommutingIdempotents|SetHasCongruenceProperty|SetHasConstantRank|SetHasFullCodomain|SetHasFullDomain|SetHasFullSCData|SetHasGraphWithUnderlyingObjectsAsVertices|SetHasIdentitiesAsReversedArrows|SetHasIdentityAsRangeAid|SetHasIdentityAsReversedArrow|SetHasIdentityAsSourceAid|SetHasInequalities|SetHasInvariantBasisProperty|SetHasInverseProperty|SetHasLeftInverseProperty|SetHasOpenSetConditionFRElement|SetHasOpenSetConditionFRSemigroup|SetHasRightInverseProperty|SetHasTwosidedInverses|SetHasWeakInverseProperty|SetHasZeroModuleProduct|SetHashEntry|SetHashEntryAtLastIndex|SetHeadMap|SetHeadOfGraphOfGroupsWord|SetHeightOfPoset|SetHelpViewer|SetHigherDimension|SetHighestWeightsAndVectors|SetHilbertFunction|SetHilbertPoincareSeries|SetHilbertPolynomial|SetHilbertPolynomialOfHilbertPoincareSeries|SetHirschLength|SetHnnExtensionInfo|SetHoles|SetHolesOfNumericalSemigroup|SetHolonomyGroup|SetHomeEnumerator|SetHomePcgs|SetHomographyGroup|SetHomom|SetHomomorphismOfPresentation|SetHomomorphismsOfStrongSemilatticeOfSemigroups|SetHonestRepresentative|SetHopfStructureTwist|SetHorizontalAction|SetHorizontalPreComposeFunctorWithNaturalTransformation|SetHorizontalPreComposeNaturalTransformationWithFunctor|SetHrules|SetIBr|SetINTERNAL_HOM_EMBEDDING_IN_TENSOR_PRODUCT_LEFT|SetINTERNAL_HOM_EMBEDDING_IN_TENSOR_PRODUCT_RIGHT|SetIS_IMPLIED_DIRECT_SUM|SetIYBBrace|SetIYBGroup|SetIdBrace|SetIdCat1Group|SetIdCycleSet|SetIdGroup|SetIdIrredSolMatrixGroup|SetIdIrreducibleSolubleMatrixGroup|SetIdIrreducibleSolvableMatrixGroup|SetIdLibraryNearRing|SetIdLibraryNearRingWithOne|SetIdPrimitiveSolubleGroup|SetIdPrimitiveSolvableGroup|SetIdQuasiCat1Group|SetIdSkewbrace|SetIdSmallSemigroup|SetIdYB|SetIdealGS|SetIdealOfQuotient|SetIdeals|SetIdempotentCreator|SetIdempotentDefinedByFactorobjectByCospan|SetIdempotentDefinedByFactorobjectBySpan|SetIdempotentDefinedByFactorobjectByThreeArrows|SetIdempotentDefinedBySubobjectByCospan|SetIdempotentDefinedBySubobjectBySpan|SetIdempotentDefinedBySubobjectByThreeArrows|SetIdempotentElements|SetIdempotentEndomorphismsData|SetIdempotentGeneratedSubsemigroup|SetIdempotentTester|SetIdempotents|SetIdempotentsTom|SetIdempotentsTomInfo|SetIdentificationOfConjugacyClasses|SetIdentifier|SetIdentifierOfMainTable|SetIdentifiersOfDuplicateTables|SetIdentitiesAmongRelators|SetIdentitiesAmongRelatorsKB|SetIdentity|SetIdentityDerivation|SetIdentityFunctor|SetIdentityMap|SetIdentityMapping|SetIdentityMorphism|SetIdentityRelatorSequences|SetIdentityRelatorSequencesKB|SetIdentitySection|SetIdentityTwoCell|SetIdentityYSequences|SetIdentityYSequencesKB|SetIgs|SetImageDensity|SetImageElementsOfRays|SetImageEmbedding|SetImageGenerators|SetImageInclusion|SetImageListOfPartialPerm|SetImageObject|SetImageObjectEmb|SetImageObjectEpi|SetImageOfPartialPermCollection|SetImageOfWhat|SetImagePolynomialRing|SetImageProjection|SetImageProjectionInclusion|SetImageRelations|SetImageSetOfPartialPerm|SetImageSetOfTransformation|SetImageSubobject|SetImagesList|SetImagesOfObjects|SetImagesOfRingMap|SetImagesOfRingMapAsColumnMatrix|SetImagesSmallestGenerators|SetImagesSource|SetImagesTable|SetImaginaryPart|SetImfRecord|SetImprimitivitySystems|SetInCcGroup|SetInDegreeOfVertex|SetInDegreeSequence|SetInDegreeSet|SetInDegrees|SetInLetter|SetInNeighbors|SetInNeighbours|SetIncidenceMat|SetIncidenceMatrixOfGeneralisedPolygon|SetInclusionInDoubleCosetMonoid|SetIncomingArrowsOfVertex|SetIncreasingOn|SetIndecInjectiveModules|SetIndecProjectiveModules|SetIndecomposableElements|SetIndependentGeneratorsOfAbelianGroup|SetIndeterminateAndExponentOfUnivariateMonomial|SetIndeterminateAntiCommutingVariablesOfExteriorRing|SetIndeterminateCoordinatesOfBiasedDoubleShiftAlgebra|SetIndeterminateCoordinatesOfDoubleShiftAlgebra|SetIndeterminateCoordinatesOfPseudoDoubleShiftAlgebra|SetIndeterminateCoordinatesOfRingOfDerivations|SetIndeterminateDegrees|SetIndeterminateDerivationsOfRingOfDerivations|SetIndeterminateName|SetIndeterminateNumberOfLaurentPolynomial|SetIndeterminateNumberOfUnivariateLaurentPolynomial|SetIndeterminateNumberOfUnivariateRationalFunction|SetIndeterminateNumbers|SetIndeterminateOfUnivariateRationalFunction|SetIndeterminateShiftsOfBiasedDoubleShiftAlgebra|SetIndeterminateShiftsOfDoubleShiftAlgebra|SetIndeterminateShiftsOfPseudoDoubleShiftAlgebra|SetIndeterminateShiftsOfRationalDoubleShiftAlgebra|SetIndeterminateShiftsOfRationalPseudoDoubleShiftAlgebra|SetIndeterminatesOfExteriorRing|SetIndeterminatesOfFunctionField|SetIndeterminatesOfGradedAlgebraPresentation|SetIndeterminatesOfPolynomial|SetIndeterminatesOfPolynomialRing|SetIndexInParent|SetIndexInSL2O|SetIndexInSL2Z|SetIndexInWholeGroup|SetIndexOfRegularity|SetIndexPeriod|SetIndexPeriodOfPartialPerm|SetIndicatorMatrixOfNonZeroEntries|SetIndicesCentralNormalSteps|SetIndicesChiefNormalSteps|SetIndicesEANormalSteps|SetIndicesInvolutaryGenerators|SetIndicesNormalSteps|SetIndicesOfAdjointBasis|SetIndicesPCentralNormalStepsPGroup|SetInducedNilpotentOrbits|SetInducedPcgs|SetInducedPcgsWrtFamilyPcgs|SetInducedPcgsWrtHomePcgs|SetInducedPcgsWrtSpecialPcgs|SetInf|SetInfoACELevel|SetInfoHandler|SetInfoLevel|SetInfoOutput|SetInfoText|SetInitialFSA|SetInitialObject|SetInitialObjectFunctorial|SetInitialRewritingSystem|SetInitialStatesOfAutomaton|SetInjDimension|SetInjectionNormalizedPrincipalFactor|SetInjectionPrincipalFactor|SetInjectionZeroMagma|SetInjectiveDimension|SetInjectiveEnvelope|SetInjector|SetInjectorFunction|SetInnerActorXMod|SetInnerAutomorphismGroup|SetInnerAutomorphismGroupQuandle|SetInnerAutomorphismGroupQuandleAsPerm|SetInnerAutomorphismNearRingByCommutatorsFlag|SetInnerAutomorphismNearRingFlag|SetInnerAutomorphisms|SetInnerAutomorphismsAutomorphismGroup|SetInnerDistribution|SetInnerMappingGroup|SetInnerMorphism|SetInputSignature|SetInstallBlueprints|SetInt|SetIntFFE|SetIntFFESymm|SetIntRepOfBipartition|SetIntegerDefiningPolynomial|SetIntegerPrimitiveElement|SetIntegralConjugate|SetIntegralizingConjugator|SetIntermultMap|SetIntermultMapIDs|SetIntermultPairs|SetIntermultPairsIDs|SetIntermultTable|SetInternalBasis|SetInternalRepGreensRelation|SetInternalRepStarRelation|SetInterpretMorphismAsMorphismFromDistinguishedObjectToHomomorphismStructure|SetIntertwiner|SetInvariantBilinearForm|SetInvariantForm|SetInvariantLattice|SetInvariantQuadraticForm|SetInvariantQuadraticFormFromMatrix|SetInvariantSesquilinearForm|SetInvariantSubNearRings|SetInvariants|SetInverse|SetInverseAttr|SetInverseClasses|SetInverseGeneralMapping|SetInverseGeneratorsOfFpGroup|SetInverseImmutable|SetInverseMapping|SetInverseMorphismFromCoimageToImage|SetInverseOfGeneralizedMorphismWithFullDomain|SetInverseRelatorsOfPresentation|SetInverseRingHomomorphism|SetInverseSemigroupCongruenceClassByKernelTraceType|SetInvolutiveCompatibilityCocycle|SetInvolutoryArcs|SetIrr|SetIrrBaumClausen|SetIrrConlon|SetIrrDixonSchneider|SetIrrFacsAlgExtPol|SetIrrFacsPol|SetIrreducibleFactors|SetIrreducibleQuotient|SetIrreducibleRepresentations|SetIrreducibleRepresentations@FR|SetIrrelevantIdealColumnMatrix|SetIs1AffineComplete|SetIs1GeneratedSemigroup|SetIs1IdempotentSemigroup|SetIs2DimensionalGroup|SetIs2DimensionalMagmaGeneralMapping|SetIs2DimensionalMagmaMorphism|SetIs2DimensionalMapping|SetIs2DimensionalMonoidMorphism|SetIs2DimensionalSemigroupMorphism|SetIs2GeneratedSemigroup|SetIs2IdempotentSemigroup|SetIs2Sided|SetIs2TameNGroup|SetIs2dAlgebraObject|SetIs3DimensionalGroup|SetIs3GeneratedSemigroup|SetIs3IdempotentSemigroup|SetIs3TameNGroup|SetIs4GeneratedSemigroup|SetIs4IdempotentSemigroup|SetIs5GeneratedSemigroup|SetIs5IdempotentSemigroup|SetIs6GeneratedSemigroup|SetIs6IdempotentSemigroup|SetIs7GeneratedSemigroup|SetIs7IdempotentSemigroup|SetIs8GeneratedSemigroup|SetIs8IdempotentSemigroup|SetIsACompleteIntersectionNumericalSemigroup|SetIsALoop|SetIsATwoSequence|SetIsAbCategory|SetIsAbCp|SetIsAbelian|SetIsAbelian2DimensionalGroup|SetIsAbelian3DimensionalGroup|SetIsAbelianCategory|SetIsAbelianCategoryWithEnoughInjectives|SetIsAbelianCategoryWithEnoughProjectives|SetIsAbelianModule|SetIsAbelianModule2DimensionalGroup|SetIsAbelianNearRing|SetIsAbelianNumberField|SetIsAbelianTom|SetIsAbsolutelyIrreducibleMatrixGroup|SetIsAbstractAffineNearRing|SetIsActingOnBinaryTree|SetIsActingOnRegularTree|SetIsActingSemigroupWithFixedDegreeMultiplication|SetIsAcute|SetIsAcuteNumericalSemigroup|SetIsAcyclic|SetIsAcyclicDigraph|SetIsAcyclicQuiver|SetIsAdditiveCategory|SetIsAdditiveGroupGeneralMapping|SetIsAdditiveGroupHomomorphism|SetIsAdditiveGroupToGroupGeneralMapping|SetIsAdditiveGroupToGroupHomomorphism|SetIsAdditivelyCommutative|SetIsAdmissibleIdeal|SetIsAdmissibleOrdering|SetIsAdmissibleQuotientOfPathAlgebra|SetIsAffineCode|SetIsAffineCrystGroupOnLeft|SetIsAffineCrystGroupOnLeftOrRight|SetIsAffineCrystGroupOnRight|SetIsAffineSemigroupByEquations|SetIsAffineSemigroupByGenerators|SetIsAffineSemigroupByMinimalGenerators|SetIsAlgebraAction|SetIsAlgebraGeneralMapping|SetIsAlgebraHomomorphism|SetIsAlgebraModule|SetIsAlgebraWithOneGeneralMapping|SetIsAlgebraWithOneHomomorphism|SetIsAlmostAffineCode|SetIsAlmostBieberbachGroup|SetIsAlmostCanonical|SetIsAlmostCrystallographic|SetIsAlmostSimpleCharacterTable|SetIsAlmostSimpleGroup|SetIsAlmostSymmetric|SetIsAlmostSymmetricNumericalSemigroup|SetIsAlternatingForm|SetIsAlternatingGroup|SetIsAlternative|SetIsAmenable|SetIsAmenableGroup|SetIsAntiSymmetricBooleanMat|SetIsAntiSymmetricDigraph|SetIsAnticommutative|SetIsAntisymmetricBinaryRelation|SetIsAntisymmetricDigraph|SetIsAntisymmetricFRElement|SetIsAperiodicDigraph|SetIsAperiodicSemigroup|SetIsAperySetAlphaRectangular|SetIsAperySetBetaRectangular|SetIsAperySetGammaRectangular|SetIsArf|SetIsArfNumericalSemigroup|SetIsArtinian|SetIsAscendingLPresentation|SetIsAspherical2DimensionalGroup|SetIsAssociative|SetIsAutomatonGroup|SetIsAutomatonSemigroup|SetIsAutomorphicLoop|SetIsAutomorphism|SetIsAutomorphism2DimensionalDomain|SetIsAutomorphismGroup|SetIsAutomorphismGroup2DimensionalGroup|SetIsAutomorphismGroup3DimensionalGroup|SetIsAutomorphismGroupOfGroupoid|SetIsAutomorphismGroupOfRMSOrRZMS|SetIsAutomorphismGroupOfSkewbrace|SetIsAutomorphismHigherDimensionalDomain|SetIsAutomorphismOfHomogeneousDiscreteGroupoid|SetIsAutomorphismPermGroupOfXMod|SetIsAutomorphismWithObjects|SetIsBaer|SetIsBalanced|SetIsBand|SetIsBasicAlgebra|SetIsBasicWreathProductOrdering|SetIsBasisOfColumnsMatrix|SetIsBasisOfLieAlgebraOfGroupRing|SetIsBasisOfRowsMatrix|SetIsBergerCondition|SetIsBezoutRing|SetIsBiCoset|SetIsBiSkewbrace|SetIsBiasedDoubleShiftAlgebra|SetIsBicomplex|SetIsBiconnectedDigraph|SetIsBijective|SetIsBijectiveObject|SetIsBijectiveOnObjects|SetIsBipartiteDigraph|SetIsBipartitionPBR|SetIsBiquandle|SetIsBireversible|SetIsBisequence|SetIsBlockBijection|SetIsBlockBijectionMonoid|SetIsBlockBijectionPBR|SetIsBlockBijectionSemigroup|SetIsBlockGroup|SetIsBooleanNearRing|SetIsBounded|SetIsBoundedFRElement|SetIsBoundedFRMachine|SetIsBoundedFRSemigroup|SetIsBraidedMonoidalCategory|SetIsBranched|SetIsBranchingSubgroup|SetIsBrandtSemigroup|SetIsBravaisGroup|SetIsBridgelessDigraph|SetIsBuiltFromAdditiveMagmaWithInverses|SetIsBuiltFromGroup|SetIsBuiltFromMagma|SetIsBuiltFromMagmaWithInverses|SetIsBuiltFromMagmaWithOne|SetIsBuiltFromMonoid|SetIsBuiltFromSemigroup|SetIsCCLoop|SetIsCFGroupAlgebra|SetIsCLoop|SetIsCPTGroup|SetIsCXSCFloatFamily|SetIsCanonicalAlgebra|SetIsCanonicalBasis|SetIsCanonicalBasisFullMatrixModule|SetIsCanonicalBasisFullRowModule|SetIsCanonicalBasisFullSCAlgebra|SetIsCanonicalIdeal|SetIsCanonicalIdealOfNumericalSemigroup|SetIsCanonicalNiceMonomorphism|SetIsCanonicalPcgs|SetIsCanonicalPcgsWrtSpecialPcgs|SetIsCanonicalPolarSpace|SetIsCapable|SetIsCat1Algebra|SetIsCat1AlgebraMorphism|SetIsCat1Group|SetIsCat1GroupMorphism|SetIsCat1Groupoid|SetIsCat2Group|SetIsCat2GroupMorphism|SetIsCat3Group|SetIsCategoryArrow|SetIsCategoryName|SetIsCategoryObject|SetIsCatnGroup|SetIsCatnGroupMorphism|SetIsCcGroup|SetIsCentralExtension2DimensionalGroup|SetIsCentralExtension3DimensionalGroup|SetIsCentralFactor|SetIsChainDigraph|SetIsChainMorphismForPullback|SetIsChainMorphismForPushout|SetIsChamberOfIncidenceStructure|SetIsCharacter|SetIsCharacteristicInParent|SetIsCircularDesign|SetIsClassReflection|SetIsClassRotation|SetIsClassShift|SetIsClassTransposition|SetIsClassWiseOrderPreserving|SetIsClassWiseTranslating|SetIsClassical|SetIsCliffordSemigroup|SetIsClosedMonoidalCategory|SetIsClosedUnderComposition|SetIsCoclosedMonoidalCategory|SetIsCodeLoop|SetIsCohenMacaulay|SetIsColTrimBooleanMat|SetIsCollineation|SetIsCollineationGroup|SetIsColorGroup|SetIsCombinatorialSemigroup|SetIsCommutative|SetIsCommutativeFamily|SetIsCommutativeSemigroup|SetIsCompactForm|SetIsCompatible|SetIsCompatibleEndoMapping|SetIsCompleteBipartiteDigraph|SetIsCompleteDigraph|SetIsCompleteGroebnerBasis|SetIsCompleteIntersection|SetIsCompleteMultipartiteDigraph|SetIsCompletePurityFiltration|SetIsCompletelyReducedGroebnerBasis|SetIsCompletelyRegularSemigroup|SetIsCompletelySimpleSemigroup|SetIsComplex|SetIsConfiguration|SetIsConfluent|SetIsCongruenceFreeSemigroup|SetIsCongruenceSubgroupGamma0|SetIsCongruenceSubgroupGamma1|SetIsCongruenceSubgroupGammaMN|SetIsCongruenceSubgroupGammaUpper0|SetIsCongruenceSubgroupGammaUpper1|SetIsConjugacyClosedLoop|SetIsConjugatePermutableInParent|SetIsConjugatorAutomorphism|SetIsConjugatorIsomorphism|SetIsConnected|SetIsConnectedDigraph|SetIsConnectedQuiver|SetIsConnectedTransformationSemigroup|SetIsConstantEndoMapping|SetIsConstantOnObjects|SetIsConstantRationalFunction|SetIsConstantTimeAccessGeneralMapping|SetIsConstellation|SetIsContracting|SetIsConvergent|SetIsCorrelation|SetIsCotiltingModule|SetIsCp|SetIsCrossedPairing|SetIsCrossedSquare|SetIsCrossedSquareMorphism|SetIsCrystTranslationSubGroup|SetIsCubeFreeInt|SetIsCycInt|SetIsCyclGroupAlgebra|SetIsCycleDigraph|SetIsCyclic|SetIsCyclicCode|SetIsCyclicGenerator|SetIsCyclicTom|SetIsCyclotomicField|SetIsCyclotomicNumericalSemigroup|SetIsDStarClass|SetIsDTrivial|SetIsDedekindDomain|SetIsDegenerateForm|SetIsDerivation|SetIsDgNearRing|SetIsDiagonalFRElement|SetIsDiagonalMatrix|SetIsDiassociative|SetIsDigraphCore|SetIsDihedralGroup|SetIsDirectProductClosed|SetIsDirectProductWithCompleteDigraph|SetIsDirectProductWithCompleteDigraphDomain|SetIsDirectedTree|SetIsDiscreteDomainWithObjects|SetIsDiscreteMagmaWithObjects|SetIsDiscreteValuationRing|SetIsDistanceRegularDigraph|SetIsDistributive|SetIsDistributiveAlgebra|SetIsDistributiveNearRing|SetIsDivisionRing|SetIsDivisionRingForHomalg|SetIsDoubleCosetRewritingSystem|SetIsDoubleShiftAlgebra|SetIsDoublyEvenCode|SetIsDualTransBipartition|SetIsDualTransformationPBR|SetIsDuplicateFree|SetIsDuplicateFreeList|SetIsDuplicateTable|SetIsDynkinQuiver|SetIsEUnitaryInverseSemigroup|SetIsEdgeTransitive|SetIsElementOfIntegers|SetIsElementaryAbelian|SetIsElementaryAlgebra|SetIsEllipticForm|SetIsEllipticQuadric|SetIsEmpty|SetIsEmptyDigraph|SetIsEmptyFlag|SetIsEmptyMatrix|SetIsEmptyPBR|SetIsEndo2DimensionalMapping|SetIsEndoGeneral2DimensionalMapping|SetIsEndoGeneralHigherDimensionalMapping|SetIsEndoGeneralMapping|SetIsEndoGeneralMappingWithObjects|SetIsEndoHigherDimensionalMapping|SetIsEndoMapping|SetIsEndoMappingWithObjects|SetIsEndomorphism|SetIsEndomorphism2DimensionalDomain|SetIsEndomorphismHigherDimensionalDomain|SetIsEndomorphismWithObjects|SetIsEndowedWithDifferential|SetIsEnrichedOverCommutativeRegularSemigroup|SetIsEntropic|SetIsEnumeratorOfSmallSemigroups|SetIsEnvelopingAlgebra|SetIsEpimorphism|SetIsEquippedWithHomomorphismStructure|SetIsEquivalenceBooleanMat|SetIsEquivalenceDigraph|SetIsEquivalenceRelation|SetIsEulerianDigraph|SetIsEvenCode|SetIsExactSequence|SetIsExactTriangle|SetIsExceptionalModule|SetIsExteriorPower|SetIsExteriorPowerElement|SetIsExteriorRing|SetIsExtraLoop|SetIsFInverseMonoid|SetIsFInverseSemigroup|SetIsFModularGroupAlgebra|SetIsFactorisableInverseMonoid|SetIsFactorobject|SetIsFaithful2DimensionalGroup|SetIsFamilyPcgs|SetIsField|SetIsFieldForHomalg|SetIsFieldHomomorphism|SetIsFiltration|SetIsFinalized|SetIsFinitaryFRElement|SetIsFinitaryFRMachine|SetIsFinitaryFRSemigroup|SetIsFinite|SetIsFiniteDifference|SetIsFiniteDimensional|SetIsFiniteFreePresentationRing|SetIsFiniteGlobalDimensionAlgebra|SetIsFiniteGroupLinearRepresentation|SetIsFiniteGroupPermutationRepresentation|SetIsFiniteOrdersPcgs|SetIsFiniteSemigroupGreensRelation|SetIsFiniteSemigroupStarRelation|SetIsFiniteState|SetIsFiniteStateFRElement|SetIsFiniteStateFRMachine|SetIsFiniteStateFRSemigroup|SetIsFiniteTypeAlgebra|SetIsFinitelyGeneratedGroup|SetIsFinitelyGeneratedMagma|SetIsFinitelyGeneratedMonoid|SetIsFinitelyPresentable|SetIsFirmGeometry|SetIsFittingClass|SetIsFittingFormation|SetIsFlagTransitiveGeometry|SetIsFlatKernelOfTransformation|SetIsFlexible|SetIsFp2DimensionalGroup|SetIsFp3DimensionalGroup|SetIsFpGroupoid|SetIsFpHigherDimensionalGroup|SetIsFpMonoidReducedElt|SetIsFpPathAlgebraModule|SetIsFpPreXModWithObjects|SetIsFpSemigpReducedElt|SetIsFpWeightedDigraph|SetIsFractal|SetIsFractalByWords|SetIsFrattiniFree|SetIsFree|SetIsFreeAbelian|SetIsFreeAlgebra|SetIsFreeAssociativeAlgebra|SetIsFreeBand|SetIsFreeGroupoid|SetIsFreeInverseSemigroup|SetIsFreeMonoid|SetIsFreeNumericalSemigroup|SetIsFreePolynomialRing|SetIsFreeProductWithAmalgamation|SetIsFreeSemigroup|SetIsFreeXMod|SetIsFromAffineCrystGroupToFpGroup|SetIsFromAffineCrystGroupToPcpGroup|SetIsFull|SetIsFullAffineSemigroup|SetIsFullFpAlgebra|SetIsFullFpPathAlgebra|SetIsFullHomModule|SetIsFullMatrixModule|SetIsFullMatrixMonoid|SetIsFullRowModule|SetIsFullSCAlgebra|SetIsFullSubgroupGLorSLRespectingBilinearForm|SetIsFullSubgroupGLorSLRespectingQuadraticForm|SetIsFullSubgroupGLorSLRespectingSesquilinearForm|SetIsFullTransformationNearRing|SetIsFullTransformationSemigroup|SetIsFullTransformationSemigroupCopy|SetIsFullinvariantInParent|SetIsFunctionalDigraph|SetIsGL|SetIsGOuterGroup|SetIsGOuterGroupHomomorphism|SetIsGammaSubgroupInSL3Z|SetIsGeneralLinearGroup|SetIsGeneralLinearMonoid|SetIsGeneralMappingFromHomogeneousDiscrete|SetIsGeneralMappingFromSinglePiece|SetIsGeneralMappingToSinglePiece|SetIsGeneralisedQuaternionGroup|SetIsGeneralizedAlmostSymmetric|SetIsGeneralizedCartanMatrix|SetIsGeneralizedClassTransposition|SetIsGeneralizedEpimorphism|SetIsGeneralizedGorenstein|SetIsGeneralizedIsomorphism|SetIsGeneralizedMonomorphism|SetIsGeneralizedMorphismWithFullDomain|SetIsGeneratedByAutomatonOfPolynomialGrowth|SetIsGeneratedByBoundedAutomaton|SetIsGeneratorsOfActingSemigroup|SetIsGeneratorsOfInverseSemigroup|SetIsGeneratorsOfMagmaWithInverses|SetIsGeneratorsOfSemigroup|SetIsGeneric|SetIsGenericAffineSemigroup|SetIsGenericNumericalSemigroup|SetIsGentleAlgebra|SetIsGlobalDimensionFinite|SetIsGoodSemigroupByAmalgamation|SetIsGoodSemigroupByCartesianProduct|SetIsGoodSemigroupByDuplication|SetIsGorenstein|SetIsGorensteinAlgebra|SetIsGradation|SetIsGradedAssociatedRingNumericalSemigroupBuchsbaum|SetIsGradedAssociatedRingNumericalSemigroupCI|SetIsGradedAssociatedRingNumericalSemigroupCM|SetIsGradedAssociatedRingNumericalSemigroupGorenstein|SetIsGradedLambdaOrbs|SetIsGradedMorphism|SetIsGradedObject|SetIsGradedRhoOrbs|SetIsGraphInverseSemigroup|SetIsGraphInverseSubsemigroup|SetIsGraphOfFpGroupoids|SetIsGraphOfFpGroups|SetIsGraphOfGroupoidsWord|SetIsGraphOfGroupsWord|SetIsGraphOfPcGroupoids|SetIsGraphOfPcGroups|SetIsGraphOfPermGroupoids|SetIsGraphOfPermGroups|SetIsGreensClassNC|SetIsGreensDGreaterThanFunc|SetIsGriesmerCode|SetIsGroupAlgebra|SetIsGroupAsSemigroup|SetIsGroupClass|SetIsGroupFRMachine|SetIsGroupGeneralMapping|SetIsGroupHClass|SetIsGroupHomomorphism|SetIsGroupOfAutomFamily|SetIsGroupOfAutomorphisms|SetIsGroupOfAutomorphismsFiniteGroup|SetIsGroupOfGroupoidAutomorphisms|SetIsGroupOfSelfSimFamily|SetIsGroupOfUnitsOfMagmaRing|SetIsGroupRing|SetIsGroupToAdditiveGroupGeneralMapping|SetIsGroupToAdditiveGroupHomomorphism|SetIsGroupWithObjectsHomomorphism|SetIsGroupoidAutomorphismByGroupAuto|SetIsGroupoidAutomorphismByObjectPerm|SetIsGroupoidAutomorphismByPiecesPerm|SetIsGroupoidAutomorphismByRayShifts|SetIsGroupoidByIsomorphisms|SetIsGroupoidCoset|SetIsGroupoidHomomorphismFromHomogeneousDiscrete|SetIsGroupoidHomomorphismWithGroupoidByIsomorphisms|SetIsGroupoidWithMonoidObjects|SetIsHAPRationalMatrixGroup|SetIsHAPRationalSpecialLinearGroup|SetIsHStarClass|SetIsHTrivial|SetIsHamiltonianDigraph|SetIsHandledByNiceMonomorphism|SetIsHasseDiagram|SetIsHereditary|SetIsHereditaryAlgebra|SetIsHermite|SetIsHermitianPolarSpace|SetIsHermitianPolarityOfProjectiveSpace|SetIsHigherDimensionalMagmaGeneralMapping|SetIsHigherDimensionalMagmaMorphism|SetIsHigherDimensionalMapping|SetIsHigherDimensionalMonoidMorphism|SetIsHigherDimensionalSemigroupMorphism|SetIsHnnExtension|SetIsHolonomic|SetIsHomogeneousDiscreteGroupoid|SetIsHomogeneousDomainWithObjects|SetIsHomogeneousElement|SetIsHomogeneousGroebnerBasis|SetIsHomogeneousNumericalSemigroup|SetIsHomogeneousQuandle|SetIsHomogeneousRingElement|SetIsHomomorphismFromSinglePiece|SetIsHomomorphismIntoMatrixGroup|SetIsHomomorphismToSinglePiece|SetIsHomsetCosets|SetIsHonest|SetIsHyperbolicForm|SetIsHyperbolicQuadric|SetIsIRAutomaton|SetIsIdealInParent|SetIsIdealInPathAlgebra|SetIsIdealOfQuadraticIntegers|SetIsIdempotent|SetIsIdempotentGenerated|SetIsIdenticalToIdentityMorphism|SetIsIdenticalToZeroMorphism|SetIsIdentityCat1Algebra|SetIsIdentityCat2Group|SetIsIdentityMapping|SetIsIdentityMorphism|SetIsIdentityPBR|SetIsIdentityPreCat1Group|SetIsImageSquare|SetIsImpossible|SetIsInRegularDigraph|SetIsIndecomposableModule|SetIsInducedFromNormalSubgroup|SetIsInducedPcgsWrtSpecialPcgs|SetIsInducedXMod|SetIsInfiniteAbelianizationGroup|SetIsInfinitelyTransitive|SetIsInitial|SetIsInjective|SetIsInjectiveCogenerator|SetIsInjectiveComplex|SetIsInjectiveModule|SetIsInjectiveOnObjects|SetIsInjectivePresentation|SetIsInnerAutomorphism|SetIsIntegerMatrixGroup|SetIsIntegersForHomalg|SetIsIntegral|SetIsIntegralBasis|SetIsIntegralCyclotomic|SetIsIntegralDomain|SetIsIntegralNearRing|SetIsIntegralRing|SetIsIntegrallyClosedDomain|SetIsIntegrated|SetIsIntersectionOfCongruenceSubgroups|SetIsInvariantLPresentation|SetIsInverseSemigroup|SetIsInvertible|SetIsInvertibleMatrix|SetIsInvolutive|SetIsIrreducibleCharacter|SetIsIrreducibleHomalgRingElement|SetIsIrreducibleMatrixGroup|SetIsIrreducibleNumericalSemigroup|SetIsIrreducibleVHGroup|SetIsIsomorphism|SetIsIsomorphismByFinitePolycyclicMatrixGroup|SetIsIsomorphismByPolycyclicMatrixGroup|SetIsIsomorphismOfLieAlgebras|SetIsIteratorOfSmallSemigroups|SetIsJStarClass|SetIsJacobianRing|SetIsJacobsonRadical|SetIsJoinSemilatticeDigraph|SetIsJustInfinite|SetIsKaplanskyHermite|SetIsKernelSquare|SetIsKoszul|SetIsKroneckerAlgebra|SetIsLCCLoop|SetIsLCLoop|SetIsLDistributive|SetIsLStarClass|SetIsLTrivial|SetIsLambekPairOfSquares|SetIsLatinQuandle|SetIsLatticeDigraph|SetIsLatticeOrderBinaryRelation|SetIsLaurentPolynomial|SetIsLeftALoop|SetIsLeftActedOnByDivisionRing|SetIsLeftAcyclic|SetIsLeftAlgebraModule|SetIsLeftAlternative|SetIsLeftArtinian|SetIsLeftAutomorphicLoop|SetIsLeftBolLoop|SetIsLeftBruckLoop|SetIsLeftConjugacyClosedLoop|SetIsLeftDistributive|SetIsLeftFiniteFreePresentationRing|SetIsLeftFree|SetIsLeftGlobalDimensionFinite|SetIsLeftHereditary|SetIsLeftHermite|SetIsLeftIdealInParent|SetIsLeftInvertibleMatrix|SetIsLeftKLoop|SetIsLeftMinimal|SetIsLeftModuleGeneralMapping|SetIsLeftModuleHomomorphism|SetIsLeftNilpotent|SetIsLeftNoetherian|SetIsLeftNonDegenerate|SetIsLeftNuclearSquareLoop|SetIsLeftOreDomain|SetIsLeftPathAlgebraModuleGroebnerBasis|SetIsLeftPowerAlternative|SetIsLeftPrincipalIdealRing|SetIsLeftRegular|SetIsLeftSemigroupCongruence|SetIsLeftSemigroupIdeal|SetIsLeftSimple|SetIsLeftTransitive|SetIsLeftZeroSemigroup|SetIsLevelTransitive|SetIsLevelTransitiveFRElement|SetIsLevelTransitiveFRGroup|SetIsLevelTransitiveOnPatterns|SetIsLieAbelian|SetIsLieAlgebra|SetIsLieAlgebraOfGroupRing|SetIsLieAlgebraWithNB|SetIsLieCentreByMetabelian|SetIsLieCover|SetIsLieMetabelian|SetIsLieNilpotent|SetIsLieNilpotentOverFp|SetIsLiePRing|SetIsLieSolvable|SetIsLinearCategoryOverCommutativeRing|SetIsLinearCode|SetIsLinearRepresentation|SetIsLinearlyPrimitive|SetIsLinearqClan|SetIsListOfIntegers|SetIsLocal|SetIsLocalizedWeylRing|SetIsLocallyOfFiniteInjectiveDimension|SetIsLocallyOfFiniteProjectiveDimension|SetIsLowerStairCaseMatrix|SetIsLowerTriangularFRElement|SetIsLowerTriangularMatrix|SetIsMDReduced|SetIsMDSCode|SetIsMDTrivial|SetIsMED|SetIsMEDNumericalSemigroup|SetIsMPCFloatFamily|SetIsMPFIFloatFamily|SetIsMPFRFloatFamily|SetIsMTS|SetIsMTSE|SetIsMagmaHomomorphism|SetIsMagmaWithObjectsGeneralMapping|SetIsMagmaWithObjectsHomomorphism|SetIsMalcevPcpElement|SetIsMapping|SetIsMapping2ArgumentsByFunction|SetIsMappingToGroupWithGGRWS|SetIsMappingWithObjects|SetIsMappingWithObjectsByFunction|SetIsMatrixGroupoid|SetIsMatrixModule|SetIsMatrixOverGradedRingWithHomogeneousEntries|SetIsMaximalAbsolutelyIrreducibleSolubleMatrixGroup|SetIsMaximalNearRingIdeal|SetIsMcAlisterTripleSemigroup|SetIsMedial|SetIsMeetSemilatticeDigraph|SetIsMember|SetIsMiddleALoop|SetIsMiddleAutomorphicLoop|SetIsMiddleNuclearSquareLoop|SetIsMinimalIdeal|SetIsMinimalNonmonomial|SetIsMinimized|SetIsMinusOne|SetIsModularNearRingRightIdeal|SetIsModularNumericalSemigroup|SetIsModuleOfGlobalSectionsTruncatedAtCertainDegree|SetIsMonic|SetIsMonicUptoUnit|SetIsMonogenic|SetIsMonogenicInverseMonoid|SetIsMonogenicInverseSemigroup|SetIsMonogenicMonoid|SetIsMonogenicSemigroup|SetIsMonoid|SetIsMonoidAsSemigroup|SetIsMonoidFRMachine|SetIsMonoidOfDerivations|SetIsMonoidOfSections|SetIsMonoidOfUp2DimensionalMappings|SetIsMonoidPresentationFpGroup|SetIsMonoidWithObjectsHomomorphism|SetIsMonoidalCategory|SetIsMonomialAlgebra|SetIsMonomialCharacter|SetIsMonomialCharacterTable|SetIsMonomialGroup|SetIsMonomialIdeal|SetIsMonomialMatrix|SetIsMonomialNumber|SetIsMonomialNumericalSemigroup|SetIsMonomorphism|SetIsMorphism|SetIsMoufangLoop|SetIsMpure|SetIsMpureNumericalSemigroup|SetIsMultGroupByFieldElemsIsomorphism|SetIsMultSemigroupOfNearRing|SetIsMultiDigraph|SetIsMultipermutation|SetIsMultipleAlgebra|SetIsMutableMatrix|SetIsN0SimpleNGroup|SetIsNGroup|SetIsNInfinity|SetIsNaN|SetIsNakayamaAlgebra|SetIsNaturalAlternatingGroup|SetIsNaturalCT|SetIsNaturalCTP_Z|SetIsNaturalCT_GFqx|SetIsNaturalCT_Z|SetIsNaturalCT_Z_pi|SetIsNaturalCT_ZxZ|SetIsNaturalGL|SetIsNaturalRCWA|SetIsNaturalRCWA_GFqx|SetIsNaturalRCWA_OR_CT|SetIsNaturalRCWA_Z|SetIsNaturalRCWA_Z_pi|SetIsNaturalRCWA_ZxZ|SetIsNaturalRcwa|SetIsNaturalRcwaRepresentationOfGLOrSL|SetIsNaturalSL|SetIsNaturalSymmetricGroup|SetIsNearField|SetIsNearRing|SetIsNearRingIdeal|SetIsNearRingLeftIdeal|SetIsNearRingRightIdeal|SetIsNearRingWithOne|SetIsNearlyGorenstein|SetIsNilElement|SetIsNilNearRing|SetIsNilpQuotientSystem|SetIsNilpotent2DimensionalGroup|SetIsNilpotentAlgebra|SetIsNilpotentBasis|SetIsNilpotentByFinite|SetIsNilpotentCharacterTable|SetIsNilpotentFreeNearRing|SetIsNilpotentGroup|SetIsNilpotentNearRing|SetIsNilpotentSemigroup|SetIsNilpotentTom|SetIsNoetherian|SetIsNonDegenerate|SetIsNonTrivial|SetIsNonZeroRing|SetIsNonabelianSimpleGroup|SetIsNontrivialDirectProduct|SetIsNormalBasis|SetIsNormalCode|SetIsNormalForm|SetIsNormalInParent|SetIsNormalProductClosed|SetIsNormalSub3DimensionalGroup|SetIsNormalSubgroup2DimensionalGroup|SetIsNormalSubgroupClosed|SetIsNormalizedUnitGroupOfGroupRing|SetIsNormallyMonomial|SetIsNuclearSquareLoop|SetIsNullDigraph|SetIsNumberField|SetIsNumberFieldByMatrices|SetIsNumeratorParentPcgsFamilyPcgs|SetIsNumericalSemigroupAssociatedIrreduciblePlanarCurveSingularity|SetIsNumericalSemigroupByAperyList|SetIsNumericalSemigroupByFundamentalGaps|SetIsNumericalSemigroupByGaps|SetIsNumericalSemigroupByGenerators|SetIsNumericalSemigroupByInterval|SetIsNumericalSemigroupByOpenInterval|SetIsNumericalSemigroupBySmallElements|SetIsNumericalSemigroupBySubAdditiveFunction|SetIsObviouslyFiniteState|SetIsOfAbelianType|SetIsOfNilpotentType|SetIsOfPolynomialGrowth|SetIsOne|SetIsOntoBooleanMat|SetIsOppositeAlgebra|SetIsOrderingOnFamilyOfAssocWords|SetIsOrdinary|SetIsOrdinaryFormation|SetIsOrdinaryNumericalSemigroup|SetIsOreDomain|SetIsOrthodoxSemigroup|SetIsOrthogonalForm|SetIsOrthogonalPolarityOfProjectiveSpace|SetIsOsbornLoop|SetIsOutRegularDigraph|SetIsOuterPlanarDigraph|SetIsOverlappingFree|SetIsPGroup|SetIsPInfinity|SetIsPMNearRing|SetIsPModularGroupAlgebra|SetIsPNilpotent|SetIsPQuotientSystem|SetIsPSL|SetIsPSNTGroup|SetIsPSTGroup|SetIsPSolvable|SetIsPSupersolvable|SetIsPTGroup|SetIsParabolicForm|SetIsParabolicQuadric|SetIsParentLiePRing|SetIsParentPcgsFamilyPcgs|SetIsPartialOrderBinaryRelation|SetIsPartialOrderBooleanMat|SetIsPartialOrderDigraph|SetIsPartialPermBipartition|SetIsPartialPermBipartitionMonoid|SetIsPartialPermBipartitionSemigroup|SetIsPartialPermPBR|SetIsPathAlgebraMatModule|SetIsPathAlgebraModule|SetIsPathRing|SetIsPc2DimensionalGroup|SetIsPc3DimensionalGroup|SetIsPcGroupoid|SetIsPcHigherDimensionalGroup|SetIsPcPreXModWithObjects|SetIsPcgsAutomorphisms|SetIsPcgsCentralSeries|SetIsPcgsChiefSeries|SetIsPcgsElementaryAbelianSeries|SetIsPcgsPCentralSeriesPGroup|SetIsPerfectCharacterTable|SetIsPerfectCode|SetIsPerfectGroup|SetIsPerfectTom|SetIsPeriodic|SetIsPerm2DimensionalGroup|SetIsPerm3DimensionalGroup|SetIsPermBipartition|SetIsPermBipartitionGroup|SetIsPermGroupoid|SetIsPermHigherDimensionalGroup|SetIsPermPBR|SetIsPermPreCat1GroupMorphism|SetIsPermPreXModMorphism|SetIsPermPreXModWithObjects|SetIsPermutableInParent|SetIsPermutationMatrix|SetIsPlanarDigraph|SetIsPlanarNearRing|SetIsPointGroup|SetIsPointHomomorphism|SetIsPolycyclicGroup|SetIsPolycyclicPresentation|SetIsPolynomial|SetIsPolynomialCollector|SetIsPolynomialGrowthFRElement|SetIsPolynomialGrowthFRMachine|SetIsPolynomialGrowthFRSemigroup|SetIsPosetAlgebra|SetIsPositionsList|SetIsPowerAlternative|SetIsPowerAssociative|SetIsPowerOfClassShift|SetIsPowerfulPGroup|SetIsPreAbelianCategory|SetIsPreCat1Algebra|SetIsPreCat1AlgebraMorphism|SetIsPreCat1Domain|SetIsPreCat1Group|SetIsPreCat1GroupMorphism|SetIsPreCat1GroupWithIdentityEmbedding|SetIsPreCat1Groupoid|SetIsPreCat1QuasiIsomorphism|SetIsPreCat2Group|SetIsPreCat2GroupMorphism|SetIsPreCat3Group|SetIsPreCatnGroup|SetIsPreCatnGroupMorphism|SetIsPreCatnGroupWithIdentityEmbeddings|SetIsPreCrossedSquare|SetIsPreCrossedSquareMorphism|SetIsPreOrderBinaryRelation|SetIsPreXMod|SetIsPreXModAlgebra|SetIsPreXModAlgebraMorphism|SetIsPreXModDomain|SetIsPreXModMorphism|SetIsPreXModWithObjects|SetIsPreorderDigraph|SetIsPrimeBrace|SetIsPrimeField|SetIsPrimeIdeal|SetIsPrimeModule|SetIsPrimeNearRing|SetIsPrimeNearRingIdeal|SetIsPrimeOrdersPcgs|SetIsPrimeSwitch|SetIsPrimitive|SetIsPrimitiveAffine|SetIsPrimitiveCharacter|SetIsPrimitiveMatrixGroup|SetIsPrimitiveSoluble|SetIsPrimitiveSolubleGroup|SetIsPrimitiveSolvable|SetIsPrimitiveSolvableGroup|SetIsPrincipalCongruenceSubgroup|SetIsPrincipalIdealRing|SetIsProjective|SetIsProjectiveComplex|SetIsProjectiveModule|SetIsProjectiveOfConstantRank|SetIsProjectiveRepresentation|SetIsProjectivity|SetIsProjectivityGroup|SetIsProportionallyModularNumericalSemigroup|SetIsPseudoCanonicalBasisFullHomModule|SetIsPseudoDoubleShiftAlgebra|SetIsPseudoForm|SetIsPseudoListWithFunction|SetIsPseudoPolarityOfProjectiveSpace|SetIsPseudoSymmetric|SetIsPseudoSymmetricNumericalSemigroup|SetIsPure|SetIsPureNumericalSemigroup|SetIsPurityFiltration|SetIsQuadraticNumberField|SetIsQuandle|SetIsQuasiDihedralGroup|SetIsQuasiIsomorphism|SetIsQuasiPrimitive|SetIsQuasiSimpleGroup|SetIsQuasiorderDigraph|SetIsQuasiregularNearRing|SetIsQuasisimpleCharacterTable|SetIsQuasisimpleGroup|SetIsQuaternionGroup|SetIsQuotientClosed|SetIsRCCLoop|SetIsRCLoop|SetIsRDistributive|SetIsRStarClass|SetIsRTrivial|SetIsRadicalSquareZeroAlgebra|SetIsRationalDoubleShiftAlgebra|SetIsRationalMatrixGroup|SetIsRationalPseudoDoubleShiftAlgebra|SetIsRationalsForHomalg|SetIsRealFormOfInnerType|SetIsRealification|SetIsRecogInfoForAlmostSimpleGroup|SetIsRecogInfoForSimpleGroup|SetIsRectangularBand|SetIsRectangularGroup|SetIsRectangularTable|SetIsRecurrentFRSemigroup|SetIsReduced|SetIsReducedBasisOfColumnsMatrix|SetIsReducedBasisOfRowsMatrix|SetIsReducedGraphOfGroupoidsWord|SetIsReducedGraphOfGroupsWord|SetIsReducedModuloRingRelations|SetIsReesCongruence|SetIsReesCongruenceSemigroup|SetIsReesMatrixSemigroup|SetIsReesMatrixSubsemigroup|SetIsReesZeroMatrixSemigroup|SetIsReesZeroMatrixSubsemigroup|SetIsReflexive|SetIsReflexiveBinaryRelation|SetIsReflexiveBooleanMat|SetIsReflexiveDigraph|SetIsReflexiveForm|SetIsRegular|SetIsRegularDClass|SetIsRegularDerivation|SetIsRegularDigraph|SetIsRegularGreensClass|SetIsRegularNearRing|SetIsRegularSemigroup|SetIsRelativelySM|SetIsResiduallyClosed|SetIsResiduallyConnected|SetIsResiduallyFinite|SetIsResidueClass|SetIsResidueClassRingOfTheIntegers|SetIsResidueClassWithFixedRepresentative|SetIsRestrictedLieAlgebra|SetIsRetractable|SetIsReversible|SetIsRightALoop|SetIsRightAcyclic|SetIsRightAlgebraModule|SetIsRightAlternative|SetIsRightArtinian|SetIsRightAutomorphicLoop|SetIsRightBolLoop|SetIsRightBruckLoop|SetIsRightConjugacyClosedLoop|SetIsRightDistributive|SetIsRightFiniteFreePresentationRing|SetIsRightFree|SetIsRightGlobalDimensionFinite|SetIsRightHereditary|SetIsRightHermite|SetIsRightIdealInParent|SetIsRightInvertibleMatrix|SetIsRightKLoop|SetIsRightMinimal|SetIsRightNilpotent|SetIsRightNoetherian|SetIsRightNonDegenerate|SetIsRightNuclearSquareLoop|SetIsRightOreDomain|SetIsRightPathAlgebraModuleGroebnerBasis|SetIsRightPowerAlternative|SetIsRightPrincipalIdealRing|SetIsRightRegular|SetIsRightSemigroupCongruence|SetIsRightSemigroupIdeal|SetIsRightSimple|SetIsRightTransitive|SetIsRightZeroSemigroup|SetIsRigidModule|SetIsRigidSymmetricClosedMonoidalCategory|SetIsRigidSymmetricCoclosedMonoidalCategory|SetIsRing|SetIsRingGeneralMapping|SetIsRingHomomorphism|SetIsRingOfIntegralCyclotomics|SetIsRingOfQuadraticIntegers|SetIsRingWithOne|SetIsRingWithOneGeneralMapping|SetIsRingWithOneHomomorphism|SetIsRootElement|SetIsRootOfUnity|SetIsRowModule|SetIsRowTrimBooleanMat|SetIsSCGroup|SetIsSL|SetIsSLA|SetIsSNPermutableInParent|SetIsSPermutableInParent|SetIsSQUniversal|SetIsSSortedList|SetIsSaturated|SetIsSaturatedFittingFormation|SetIsSaturatedFormation|SetIsSaturatedNumericalSemigroup|SetIsScalarMatrix|SetIsSchunckClass|SetIsSchurianAlgebra|SetIsSection|SetIsSelfComplementaryCode|SetIsSelfDualCode|SetIsSelfDualSemigroup|SetIsSelfOrthogonalCode|SetIsSelfSimilar|SetIsSelfSimilarGroup|SetIsSelfSimilarSemigroup|SetIsSelfinjectiveAlgebra|SetIsSemiEchelonized|SetIsSemiLocalRing|SetIsSemiRegular|SetIsSemiSimpleRing|SetIsSemiband|SetIsSemicommutativeAlgebra|SetIsSemigroup|SetIsSemigroupCongruence|SetIsSemigroupEnumerator|SetIsSemigroupFRMachine|SetIsSemigroupGeneralMapping|SetIsSemigroupHomomorphism|SetIsSemigroupIdeal|SetIsSemigroupOfSelfSimFamily|SetIsSemigroupWithAdjoinedZero|SetIsSemigroupWithClosedIdempotents|SetIsSemigroupWithCommutingIdempotents|SetIsSemigroupWithObjectsHomomorphism|SetIsSemigroupWithZero|SetIsSemigroupWithoutClosedIdempotents|SetIsSemilattice|SetIsSemiprime|SetIsSemiprimeIdeal|SetIsSemiring|SetIsSemiringWithOne|SetIsSemiringWithOneAndZero|SetIsSemiringWithZero|SetIsSemisimpleANFGroupAlgebra|SetIsSemisimpleAlgebra|SetIsSemisimpleFiniteGroupAlgebra|SetIsSemisimpleModule|SetIsSemisimpleRationalGroupAlgebra|SetIsSemisimpleZeroCharacteristicGroupAlgebra|SetIsSemisymmetric|SetIsSeparablePolynomial|SetIsSequence|SetIsShortExactSequence|SetIsShortLexOrdering|SetIsSignPreserving|SetIsSimpleAlgebra|SetIsSimpleCharacterTable|SetIsSimpleGroup|SetIsSimpleNGroup|SetIsSimpleNearRing|SetIsSimpleQPAModule|SetIsSimpleRing|SetIsSimpleSemigroup|SetIsSimpleSkewbrace|SetIsSimplyConnected2DimensionalGroup|SetIsSinglePiece|SetIsSinglePieceDomain|SetIsSinglePieceGroupoidWithRays|SetIsSingleValued|SetIsSinglyEvenCode|SetIsSingularForm|SetIsSingularSemigroupCopy|SetIsSkeletalCategory|SetIsSkewFieldFamily|SetIsSkewbraceAutomorphism|SetIsSmallList|SetIsSolubleCharacterTable|SetIsSolvableCharacterTable|SetIsSolvableGroup|SetIsSolvablePolynomial|SetIsSolvableTom|SetIsSortedList|SetIsSourceMorphism|SetIsSpaceGroup|SetIsSpecialBiserialAlgebra|SetIsSpecialBiserialQuiver|SetIsSpecialLinearGroup|SetIsSpecialPcgs|SetIsSpecialSubidentityMatrix|SetIsSphericallyTransitive|SetIsSplitEpimorphism|SetIsSplitMonomorphism|SetIsSplitShortExactSequence|SetIsSporadicSimpleCharacterTable|SetIsSporadicSimpleGroup|SetIsSquareFree|SetIsSquareFreeInt|SetIsSquareMat|SetIsStableSheet|SetIsStablyFree|SetIsStandard2Cocycle|SetIsStandardAffineCrystGroup|SetIsStandardBasisOfLieRing|SetIsStandardHermitianVariety|SetIsStandardNCocycle|SetIsStandardPolarSpace|SetIsStandardQuadraticVariety|SetIsStarClass|SetIsStarSemigroup|SetIsStateClosed|SetIsSteinerLoop|SetIsSteinerQuasigroup|SetIsStemDomain|SetIsStrictLowerTriangularMatrix|SetIsStrictMonoidalCategory|SetIsStrictUpperTriangularMatrix|SetIsStrictlySemilinear|SetIsStringAlgebra|SetIsStronglyConnectedDigraph|SetIsStronglyMonogenic|SetIsStronglyMonomial|SetIsStronglyNilpotent|SetIsStructuredDigraph|SetIsSubEndoMapping|SetIsSubgroupClosed|SetIsSubgroupSL|SetIsSubidentityMatrix|SetIsSubmonoidFpMonoid|SetIsSubnormallyMonomial|SetIsSubobject|SetIsSubsemigroupFpSemigroup|SetIsSubsetLocallyFiniteGroup|SetIsSuperCommutative|SetIsSupersolubleCharacterTable|SetIsSupersolvableCharacterTable|SetIsSupersolvableGroup|SetIsSurjective|SetIsSurjectiveOnObjects|SetIsSurjectiveSemigroup|SetIsSylowTowerGroup|SetIsSymbolicElement|SetIsSymmetric|SetIsSymmetric2DimensionalGroup|SetIsSymmetric3DimensionalGroup|SetIsSymmetricAlgebra|SetIsSymmetricBinaryRelation|SetIsSymmetricBooleanMat|SetIsSymmetricClosedMonoidalCategory|SetIsSymmetricCoclosedMonoidalCategory|SetIsSymmetricDigraph|SetIsSymmetricFRElement|SetIsSymmetricForm|SetIsSymmetricGoodSemigroup|SetIsSymmetricGroup|SetIsSymmetricInverseSemigroup|SetIsSymmetricMonoidalCategory|SetIsSymmetricNumericalSemigroup|SetIsSymmetricPower|SetIsSymmorphicSpaceGroup|SetIsSymplecticForm|SetIsSymplecticPolarityOfProjectiveSpace|SetIsSymplecticSpace|SetIsSynchronizingSemigroup|SetIsTGroup|SetIsTame|SetIsTameNGroup|SetIsTauRigidModule|SetIsTelescopic|SetIsTelescopicNumericalSemigroup|SetIsTerminal|SetIsTerminalCategory|SetIsThickGeometry|SetIsThinGeometry|SetIsTiltingModule|SetIsTipReducedGroebnerBasis|SetIsTorsion|SetIsTorsionFree|SetIsTorsionGroup|SetIsTotal|SetIsTotalBooleanMat|SetIsTotalOrdering|SetIsTotallySymmetric|SetIsTournament|SetIsTransBipartition|SetIsTransformationBooleanMat|SetIsTransformationPBR|SetIsTransitive|SetIsTransitiveBinaryRelation|SetIsTransitiveBooleanMat|SetIsTransitiveDigraph|SetIsTransitiveOnNonnegativeIntegersInSupport|SetIsTranslationInvariantOrdering|SetIsTransposedWRTTheAssociatedComplex|SetIsTreeQuiver|SetIsTriangle|SetIsTriangularMatrix|SetIsTriangularReduced|SetIsTriangularizableMatGroup|SetIsTrimBooleanMat|SetIsTrivial|SetIsTrivialAction2DimensionalGroup|SetIsTrivialAction3DimensionalGroup|SetIsTrivialSkewbrace|SetIsTwoSided|SetIsTwoSidedIdealInParent|SetIsUAcyclicQuiver|SetIsUFDFamily|SetIsUndirectedForest|SetIsUndirectedTree|SetIsUniformBlockBijection|SetIsUnipotent|SetIsUnipotentMatGroup|SetIsUniqueFactorizationDomain|SetIsUniquelyPresented|SetIsUniquelyPresentedAffineSemigroup|SetIsUniquelyPresentedNumericalSemigroup|SetIsUnitFree|SetIsUnitGroup|SetIsUnitGroupIsomorphism|SetIsUnitRegularMonoid|SetIsUnitary|SetIsUnivariatePolynomial|SetIsUnivariateRationalFunction|SetIsUniversalPBR|SetIsUniversalSemigroupCongruence|SetIsUpperStairCaseMatrix|SetIsUpperTriangularFRElement|SetIsUpperTriangularMatrix|SetIsVectorSpaceHomomorphism|SetIsVertexProjectiveModule|SetIsVertexTransitive|SetIsVirtualCharacter|SetIsVirtuallySimpleGroup|SetIsWdNearRing|SetIsWeaklyBranched|SetIsWeaklyFinitaryFRElement|SetIsWeaklyFinitaryFRSemigroup|SetIsWeaklyNonnegativeUnitForm|SetIsWeaklyNormalInParent|SetIsWeaklyPermutableInParent|SetIsWeaklyPositiveUnitForm|SetIsWeaklySPermutableInParent|SetIsWeaklySymmetricAlgebra|SetIsWeightLexOrdering|SetIsWeightedCollector|SetIsWellDefined|SetIsWellFoundedOrdering|SetIsWellOrdering|SetIsWellReversedOrdering|SetIsWeylGroup|SetIsWeylRing|SetIsWholeFamily|SetIsWithSSubpermutiserConditionInParent|SetIsWithSSubpermutizerConditionInParent|SetIsWithSubnormalizerConditionInParent|SetIsWithSubpermutiserConditionInParent|SetIsWithSubpermutizerConditionInParent|SetIsWordAcceptorOfDoubleCosetRws|SetIsWordDecompHomomorphism|SetIsWreathProductOrdering|SetIsXInfinity|SetIsXMod|SetIsXModAlgebra|SetIsXModAlgebraMorphism|SetIsXModMorphism|SetIsXModWithObjects|SetIsXp|SetIsYp|SetIsZ_pi|SetIsZero|SetIsZeroCharacteristic|SetIsZeroForMorphisms|SetIsZeroForObjects|SetIsZeroGroup|SetIsZeroMultiplicationRing|SetIsZeroPath|SetIsZeroRationalFunction|SetIsZeroRectangularBand|SetIsZeroSemigroup|SetIsZeroSimpleSemigroup|SetIsZeroSquaredRing|SetIsZeroSymmetricNearRing|SetIsZxZ|SetIsoclinicMiddleLength|SetIsoclinicRank|SetIsoclinicStemDomain|SetIsometricCanonicalForm|SetIsometryGroup|SetIsomorphicAutomGroup|SetIsomorphicAutomSemigroup|SetIsomorphicPreCat1GroupWithIdentityEmbedding|SetIsomorphismCanonicalPolarSpace|SetIsomorphismCanonicalPolarSpaceWithIntertwiner|SetIsomorphismClassPositionsOfGroupoid|SetIsomorphismFp2DimensionalGroup|SetIsomorphismFpAlgebra|SetIsomorphismFpFLMLOR|SetIsomorphismFpGroup|SetIsomorphismFpGroupForRewriting|SetIsomorphismFpInfo|SetIsomorphismFpMonoid|SetIsomorphismFpSemigroup|SetIsomorphismFromCoDualToInternalCoHom|SetIsomorphismFromCoimageToCokernelOfKernel|SetIsomorphismFromCokernelOfKernelToCoimage|SetIsomorphismFromDualToInternalHom|SetIsomorphismFromImageObjectToKernelOfCokernel|SetIsomorphismFromInitialObjectToZeroObject|SetIsomorphismFromInternalCoHomToCoDual|SetIsomorphismFromInternalCoHomToObject|SetIsomorphismFromInternalHomToDual|SetIsomorphismFromInternalHomToObject|SetIsomorphismFromKernelOfCokernelToImageObject|SetIsomorphismFromObjectToInternalCoHom|SetIsomorphismFromObjectToInternalHom|SetIsomorphismFromTerminalObjectToZeroObject|SetIsomorphismFromZeroObjectToInitialObject|SetIsomorphismFromZeroObjectToTerminalObject|SetIsomorphismLpGroup|SetIsomorphismMatrixAlgebra|SetIsomorphismMatrixFLMLOR|SetIsomorphismMatrixField|SetIsomorphismMatrixGroup|SetIsomorphismPartialPermMonoid|SetIsomorphismPartialPermSemigroup|SetIsomorphismPc2DimensionalGroup|SetIsomorphismPcGroup|SetIsomorphismPcGroupoid|SetIsomorphismPcInfo|SetIsomorphismPcpGroup|SetIsomorphismPerm2DimensionalGroup|SetIsomorphismPermGroup|SetIsomorphismPermGroupoid|SetIsomorphismPermInfo|SetIsomorphismPermOrPcInfo|SetIsomorphismRcwaGroupOverZ|SetIsomorphismReesMatrixSemigroup|SetIsomorphismReesMatrixSemigroupOverPermGroup|SetIsomorphismReesZeroMatrixSemigroup|SetIsomorphismReesZeroMatrixSemigroupOverPermGroup|SetIsomorphismRefinedPcGroup|SetIsomorphismSCAlgebra|SetIsomorphismSCFLMLOR|SetIsomorphismSimplifiedFpGroup|SetIsomorphismSpecialPcGroup|SetIsomorphismSubgroupFpGroup|SetIsomorphismToPreCat1GroupWithIdentityEmbedding|SetIsomorphismTransformationMonoid|SetIsomorphismTransformationSemigroup|SetIsomorphismTypeInfoFiniteSimpleGroup|SetIsomorphismXModByNormalSubgroup|SetIsomorphismsOfGraphOfGroupoids|SetIsomorphismsOfGraphOfGroups|SetIsqReversing|SetIteratedRelatorsOfLpGroup|SetItsInvolution|SetItsTransposedMatrix|SetIwasawaTriple|SetJClasses|SetJStarClass|SetJStarClasses|SetJStarRelation|SetJacobianIdeal|SetJenningsLieAlgebra|SetJenningsSeries|SetJoinIrreducibleDClasses|SetJordanDecomposition|SetJordanSplitting|SetKBMagRewritingSystem|SetKBMagWordAcceptor|SetKacDiagram|SetKernel2DimensionalMapping|SetKernelActionIndices|SetKernelCokernelXMod|SetKernelEmb|SetKernelEmbedding|SetKernelHigherDimensionalMapping|SetKernelInclusion|SetKernelObject|SetKernelOfActionOnRespectedPartition|SetKernelOfAdditiveGeneralMapping|SetKernelOfCharacter|SetKernelOfLambda|SetKernelOfMultiplicativeGeneralMapping|SetKernelOfSemigroupCongruence|SetKernelOfTransformation|SetKernelOfWhat|SetKernelSubobject|SetKillingMatrix|SetKindOfDomainWithObjects|SetKneadingSequence|SetKnowsDeligneLusztigNames|SetKnowsHowToDecompose|SetKnowsSomeGroupInfo|SetKrules|SetKrullDimension|SetKuratowskiOuterPlanarSubdigraph|SetKuratowskiPlanarSubdigraph|SetLClassOfHClass|SetLClassReps|SetLClassType|SetLClasses|SetLGFirst|SetLGHeads|SetLGLayers|SetLGLength|SetLGTails|SetLGWeights|SetLMatrix|SetLPerms|SetLSSequence|SetLStarClass|SetLStarClasses|SetLStarRelation|SetLaTeXString|SetLabel|SetLabels|SetLabelsOfFareySymbol|SetLambdaAct|SetLambdaBound|SetLambdaConjugator|SetLambdaCosets|SetLambdaElementVHGroup|SetLambdaFunc|SetLambdaIdentity|SetLambdaIntroduction|SetLambdaInverse|SetLambdaOrb|SetLambdaOrbOpts|SetLambdaOrbSCC|SetLambdaOrbSCCIndex|SetLambdaOrbSeed|SetLambdaPerm|SetLambdaRank|SetLaplacianMatrix|SetLargerDirectProductGroupoid|SetLargestElementGroup|SetLargestElementRClass|SetLargestElementSemigroup|SetLargestImageOfMovedPoint|SetLargestMinimalNumberOfLocalGenerators|SetLargestMovedPoint|SetLargestMovedPointPerm|SetLargestNilpotentQuotient|SetLargestNrSlots|SetLargestSourcesOfAffineMappings|SetLatticeGeneratorsInUEA|SetLatticeOfCongruences|SetLatticeOfLeftCongruences|SetLatticeOfRightCongruences|SetLatticeSubgroups|SetLeadCoeffMonoidPoly|SetLeadCoeffsIGS|SetLeadGenerator|SetLeadMonoidPoly|SetLeadTerm|SetLeadWordMonoidPoly|SetLeadingComponent|SetLeadingLayer|SetLeadingLayerElement|SetLeadingPosition|SetLeft2DimensionalGroup|SetLeft2DimensionalMorphism|SetLeft3DimensionalGroup|SetLeftActingAlgebra|SetLeftActingDomain|SetLeftActingGroup|SetLeftActingRingOfIdeal|SetLeftBasis|SetLeftBlocks|SetLeftCayleyDigraph|SetLeftCayleyGraphSemigroup|SetLeftCongruencesOfSemigroup|SetLeftDerivations|SetLeftElementOfCartesianProduct|SetLeftGlobalDimension|SetLeftIdeals|SetLeftInnerMappingGroup|SetLeftInverse|SetLeftInverseOfHomomorphism|SetLeftMinimalVersion|SetLeftMultiplicationGroup|SetLeftNilpotentIdeals|SetLeftNucleus|SetLeftOne|SetLeftPermutations|SetLeftPresentations|SetLeftProjection|SetLeftRightMorphism|SetLeftSection|SetLeftSeries|SetLeftTransversalsOfGraphOfGroupoids|SetLeftTransversalsOfGraphOfGroups|SetLeftUnitor|SetLeftUnitorInverse|SetLength|SetLengthLongestRelator|SetLengthOfLongestDClassChain|SetLengthOfPath|SetLengthsTom|SetLessFunction|SetLessGeneratorsTransformationTripleLeft|SetLessGeneratorsTransformationTripleRight|SetLessThanFunction|SetLessThanOrEqualFunction|SetLetter|SetLetterRepWordsLessFunc|SetLevelOfCongruenceSubgroup|SetLevelOfCongruenceSubgroupGammaMN|SetLevelOfEpimorphismFromFRGroup|SetLevelOfFaithfulAction|SetLevelsOfGenerators|SetLeviMalcevDecomposition|SetLexicographicIndexTable|SetLexicographicPermutation|SetLexicographicTable|SetLibraryConditions|SetLibraryName|SetLibraryNearRingFlag|SetLibsemigroupsCongruenceConstructor|SetLieAlgebraByDomain|SetLieAlgebraIdentification|SetLieCenter|SetLieCentralizerInParent|SetLieCentre|SetLieCover|SetLieDerivedLength|SetLieDerivedSeries|SetLieDerivedSubalgebra|SetLieDimensionSubgroups|SetLieFamily|SetLieLowerCentralSeries|SetLieLowerNilpotencyIndex|SetLieMultiplicator|SetLieNBDefinitions|SetLieNBWeights|SetLieNilRadical|SetLieNormalizerInParent|SetLieNucleus|SetLieObject|SetLiePValues|SetLieRingToPGroup|SetLieSolvableRadical|SetLieUpperCentralSeries|SetLieUpperCodimensionSeries|SetLieUpperNilpotencyIndex|SetLimitFRMachine|SetLimitStatesOfFRElement|SetLimitStatesOfFRMachine|SetLineDiamEdge|SetLinearActionBasis|SetLinearCharacters|SetLinearRegularity|SetLinearRegularityInterval|SetLinearRepresentationOfStructureGroup|SetLinesOfBBoxProgram|SetLinesOfStraightLineDecision|SetLinesOfStraightLineProgram|SetListInverseDerivations|SetListOf2DimensionalMappings|SetLocalActionDegree|SetLocalActionRadius|SetLocalDefinitionFunction|SetLocalInterpolationNearRingFlag|SetLocation|SetLocationIndex|SetLocations|SetLoewyLength|SetLog10|SetLog1p|SetLog2|SetLogAndExpMethod|SetLoggedRewritingSystemFpGroup|SetLongWords|SetLongestWeylWord|SetLongestWeylWordPerm|SetLoopElmName|SetLoops|SetLowIndexNormalSubgroups|SetLowIndexSubgroupClasses|SetLowerCentralSeriesOfGroup|SetLowerFittingSeries|SetLtFunctionListRep|SetLueXMod|SetMTSAction|SetMTSActionHomomorphism|SetMTSComponents|SetMTSEParent|SetMTSGroup|SetMTSPartialOrder|SetMTSQuotientDigraph|SetMTSSemilattice|SetMTSSemilatticeVertexLabelInverseMap|SetMTSUnderlyingAction|SetMagicNumber|SetMagmaGeneratorsOfFamily|SetMagmaWithZeroAdjoined|SetMaintenanceMethodForToDoLists|SetManItemToDescription|SetManItemToReturnValue|SetMapFromHomogenousPartOverExteriorAlgebraToHomogeneousPartOverSymmetricAlgebra|SetMapFromHomogenousPartOverSymmetricAlgebraToHomogeneousPartOverExteriorAlgebra|SetMappedPartitions|SetMapping|SetMappingGeneratorsImages|SetMappingOfWhichItIsAsGGMBI|SetMappingToSinglePieceData|SetMappingToSinglePieceMaps|SetMaps|SetMarksTom|SetMatElm|SetMatTom|SetMatrixByBlockMatrix|SetMatrixCategory|SetMatrixCategoryObject|SetMatrixEntries|SetMatrixNearRingFlag|SetMatrixNumCols|SetMatrixNumRows|SetMatrixOfCycleSet|SetMatrixOfRack|SetMatrixOfReesMatrixSemigroup|SetMatrixOfReesZeroMatrixSemigroup|SetMatrixOfSymbols|SetMatrixRepresentation|SetMaxOrbitPerm|SetMaxes|SetMaximalAbelianQuotient|SetMaximalAntiSymmetricSubdigraphAttr|SetMaximalBlocksAttr|SetMaximalCompatibleSubgroup|SetMaximalDClasses|SetMaximalDegreePart|SetMaximalDegreePartOfColumnMatrix|SetMaximalDiscreteSubdomain|SetMaximalDiscreteSubgroupoid|SetMaximalGradedLeftIdeal|SetMaximalGradedRightIdeal|SetMaximalIdealAsColumnMatrix|SetMaximalIdealAsLeftMorphism|SetMaximalIdealAsRightMorphism|SetMaximalIdealAsRowMatrix|SetMaximalNormalSubgroups|SetMaximalOrderBasis|SetMaximalShift|SetMaximalSimpleSubgroup|SetMaximalSubgroupClassReps|SetMaximalSubgroupClassesByIndex|SetMaximalSubgroups|SetMaximalSubgroupsLattice|SetMaximalSubgroupsTom|SetMaximalSubsemigroups|SetMaximalSymmetricSubdigraphAttr|SetMaximalSymmetricSubdigraphWithoutLoopsAttr|SetMaximallyCompactCartanSubalgebra|SetMaximallyNonCompactCartanSubalgebra|SetMaximumDegreeForPresentation|SetMcAlisterTripleSemigroupAction|SetMcAlisterTripleSemigroupActionHomomorphism|SetMcAlisterTripleSemigroupComponents|SetMcAlisterTripleSemigroupElementParent|SetMcAlisterTripleSemigroupGroup|SetMcAlisterTripleSemigroupPartialOrder|SetMcAlisterTripleSemigroupQuotientDigraph|SetMcAlisterTripleSemigroupSemilattice|SetMcAlisterTripleSemigroupSemilatticeVertexLabelInverseMap|SetMcAlisterTripleSemigroupUnderlyingAction|SetMemberFunction|SetMembershipFunction|SetMid|SetMiddleInnerMappingGroup|SetMiddleNucleus|SetMihailovaSystem|SetMinActionRank|SetMinIGS|SetMinOrbitPerm|SetMinimalArfGeneratingSystemOfArfNumericalSemigroup|SetMinimalAutomaton|SetMinimalBlockDimension|SetMinimalBlockDimensionOfMatrixGroup|SetMinimalCongruences|SetMinimalCongruencesOfSemigroup|SetMinimalDClass|SetMinimalGeneratingSet|SetMinimalGeneratingSetOfModule|SetMinimalGeneratingSystem|SetMinimalGeneratingSystemOfIdealOfAffineSemigroup|SetMinimalGeneratingSystemOfIdealOfNumericalSemigroup|SetMinimalGeneratingSystemOfNumericalSemigroup|SetMinimalGeneratorNumber|SetMinimalGeneratorNumberOfLiePRing|SetMinimalGenerators|SetMinimalGoodGeneratingSystemOfGoodSemigroup|SetMinimalGoodGenerators|SetMinimalGoodGeneratorsIdealGS|SetMinimalIdeal|SetMinimalIdealGeneratingSet|SetMinimalIdeals|SetMinimalInverseMonoidGeneratingSet|SetMinimalInverseSemigroupGeneratingSet|SetMinimalKnownRatExp|SetMinimalLeftCongruencesOfSemigroup|SetMinimalMEDGeneratingSystemOfMEDNumericalSemigroup|SetMinimalMonoidGeneratingSet|SetMinimalNormalPSubgroups|SetMinimalNormalSubgroups|SetMinimalRepresentationInfo|SetMinimalRightCongruencesOfSemigroup|SetMinimalSemigroupGeneratingSet|SetMinimalStabChain|SetMinimalSupergroupsLattice|SetMinimalWord|SetMinimizedBombieriNorm|SetMinimumDistance|SetMinimumDistanceCodeword|SetMinimumDistanceLeon|SetMinimumGroupCongruence|SetMinimumWeight|SetMinimumWeightOfGenerators|SetMinimumWeightWords|SetMinusOne|SetModPRingBasisAsPolynomials|SetModPRingGeneratorDegrees|SetModPRingNiceBasis|SetModPRingNiceBasisAsPolynomials|SetModularConditionNS|SetModularityOfRightIdeal|SetModule|SetModuleOfExtension|SetModuleOfKaehlerDifferentials|SetModulusOfRcwaMonoid|SetModulusOfZmodnZObj|SetMoebiusTom|SetMolienSeriesInfo|SetMonoOfLeftSummand|SetMonoOfRightSummand|SetMonoidByAdjoiningIdentity|SetMonoidByAdjoiningIdentityElt|SetMonoidGeneratorsFpGroup|SetMonoidOfRewritingSystem|SetMonoidPolys|SetMonoidPresentationFpGroup|SetMonomialComparisonFunction|SetMonomialExtrepComparisonFun|SetMonomialsWithGivenDegree|SetMonomorphismIntoSomeInjectiveObject|SetMonomorphismToAutomatonGroup|SetMonomorphismToAutomatonSemigroup|SetMorphismAid|SetMorphismCache|SetMorphismDatum|SetMorphismFilter|SetMorphismFromBidual|SetMorphismFromCoBidual|SetMorphismFromCoimageToImage|SetMorphismFromZeroObject|SetMorphismFunctionName|SetMorphismGS|SetMorphismIntoZeroObject|SetMorphismOfInducedXMod|SetMorphismOfPullback|SetMorphismToBidual|SetMorphismToCoBidual|SetMorphismType|SetMorphismsOfChainMap|SetMovedPoints|SetMultAutomAlphabet|SetMultDivType|SetMultipermutationLevel|SetMultiplicationGroup|SetMultiplicationMethod|SetMultiplicationTable|SetMultiplicationTableIDs|SetMultiplicativeNeutralElement|SetMultiplicativeZero|SetMultiplicatorRank|SetMultiplicity|SetMultiplicityOfNumericalSemigroup|SetMultiplier|SetMunnSemigroup|SetMyEval|SetN0Subgroups|SetNGroupByApplication|SetNGroupByNearRingMultiplication|SetNIdeals|SetNRMultiplication|SetNRRowEndos|SetNSubgroups|SetNakayamaAutomorphism|SetNakayamaFunctorOfModule|SetNakayamaFunctorOfModuleHomomorphism|SetNakayamaPermutation|SetNambooripadLeqRegularSemigroup|SetNambooripadPartialOrder|SetName|SetNameFunction|SetNameObject|SetNameOfFormation|SetNameOfFunctor|SetNameRealForm|SetNamesForFunctionsInRecord|SetNamesLibTom|SetNamesOfFusionSources|SetNatTrIdToHomHom_R|SetNaturalBijectionToAssociativeAlgebra|SetNaturalBijectionToLieAlgebra|SetNaturalBijectionToNormalizedUnitGroup|SetNaturalBijectionToPcNormalizedUnitGroup|SetNaturalCharacter|SetNaturalHomomorphismByNormalSubgroupNCInParent|SetNaturalHomomorphismOfLieAlgebraFromNilpotentGroup|SetNaturalHomomorphismOnHolonomyGroup|SetNaturalHomomorphismsPool|SetNaturalIsomorphismFromIdentityToCanonicalizeZeroMorphisms|SetNaturalIsomorphismFromIdentityToCanonicalizeZeroObjects|SetNaturalIsomorphismFromIdentityToGetRidOfZeroGeneratorsLeft|SetNaturalIsomorphismFromIdentityToGetRidOfZeroGeneratorsRight|SetNaturalIsomorphismFromIdentityToLessGeneratorsLeft|SetNaturalIsomorphismFromIdentityToLessGeneratorsRight|SetNaturalIsomorphismFromIdentityToStandardModuleLeft|SetNaturalIsomorphismFromIdentityToStandardModuleRight|SetNaturalLeqInverseSemigroup|SetNaturalMapFromExteriorComplexToRightAdjoint|SetNaturalMapFromExteriorComplexToRightAdjointForModulesOfGlobalSections|SetNaturalMapToModuleOfGlobalSections|SetNaturalPartialOrder|SetNaturalTransformation|SetNaturalTransformationCache|SetNaturalTransformationFromIdentityToDoubleDualLeft|SetNaturalTransformationFromIdentityToDoubleDualRight|SetNaturalTransformationFunction|SetNaturalTransformationOperation|SetNautyAutomorphismGroup|SetNautyCanonicalDigraphAttr|SetNautyCanonicalLabelling|SetNearRingActingOnNGroup|SetNearRingCommutatorsTable|SetNearRingIdeals|SetNearRingLeftIdeals|SetNearRingRightIdeals|SetNearRingUnits|SetNegativeRootVectors|SetNegativeRoots|SetNegativeRootsFC|SetNeighborsOfVertex|SetNestingDepthA|SetNestingDepthM|SetNextLocation|SetNextOrdering|SetNextPlaces|SetNgs|SetNiceAlgebraMonomorphism|SetNiceBasis|SetNiceFreeLeftModule|SetNiceFreeLeftModuleInfo|SetNiceGens|SetNiceMonomorphism|SetNiceNormalFormByExtRepFunction|SetNiceObject|SetNiceToCryst|SetNillity|SetNilpotencyClassOf2DimensionalGroup|SetNilpotencyClassOfGroup|SetNilpotencyClassOfLoop|SetNilpotencyDegree|SetNilpotentBasis|SetNilpotentElements|SetNilpotentOrbits|SetNilpotentOrbitsOfRealForm|SetNilpotentProjector|SetNilpotentQuotientSystem|SetNilpotentQuotients|SetNilpotentResidual|SetNoetherianQuotientFlag|SetNonAbelianExteriorSquare|SetNonAbelianTensorSquare|SetNonFlatLocus|SetNonLieNilpotentElement|SetNonNilpotentElement|SetNonTrivialDegreePerColumn|SetNonTrivialDegreePerColumnWithRowPositionFunction|SetNonTrivialDegreePerRow|SetNonTrivialDegreePerRowWithColPositionFunction|SetNonTrivialEquivalenceClasses|SetNonZeroColumns|SetNonZeroGeneratorsTransformationTripleLeft|SetNonZeroGeneratorsTransformationTripleRight|SetNonZeroRows|SetNoninvertiblePrimes|SetNontipSize|SetNorm|SetNormOfBoundedFRElement|SetNormOfIdeal|SetNormalBase|SetNormalClosureInParent|SetNormalFormFunction|SetNormalGeneratorsOfNilpotentResidual|SetNormalHallSubgroups|SetNormalMaximalSubgroups|SetNormalSeriesByPcgs|SetNormalSubCat1Groups|SetNormalSubCat2Groups|SetNormalSubCrossedSquares|SetNormalSubXMods|SetNormalSubgroupClassesInfo|SetNormalSubgroups|SetNormalTorsionSubgroup|SetNormalizedCospan|SetNormalizedCospanTuple|SetNormalizedPrincipalFactor|SetNormalizedSpan|SetNormalizedSpanTuple|SetNormalizedUnitGroup|SetNormalizerInGLnZ|SetNormalizerInGLnZBravaisGroup|SetNormalizerInHomePcgs|SetNormalizerInParent|SetNormalizerInWholeGroup|SetNormalizerPointGroupInGLnZ|SetNormalizersTom|SetNormedRowVector|SetNormedRowVectors|SetNormedVectors|SetNorrieXMod|SetNotConstructedAsAnIdeal|SetNotifiedFusionsOfLibTom|SetNotifiedFusionsToLibTom|SetNrBlocks|SetNrCols|SetNrColumns|SetNrComponentsOfPartialPerm|SetNrComponentsOfTransformation|SetNrConjugacyClasses|SetNrDClasses|SetNrElementsVertex|SetNrEquivalenceClasses|SetNrFixedPoints|SetNrGeneratorsForRelations|SetNrHClasses|SetNrIdempotents|SetNrIdempotentsByRank|SetNrInputsOfStraightLineDecision|SetNrInputsOfStraightLineProgram|SetNrLClasses|SetNrLeftBlocks|SetNrMaximalSubsemigroups|SetNrMovedPoints|SetNrMovedPointsPerm|SetNrRClasses|SetNrRegularDClasses|SetNrRelationsForRelations|SetNrRightBlocks|SetNrRows|SetNrSpanningTrees|SetNrSubsTom|SetNrSyllables|SetNrTransverseBlocks|SetNuRadicals|SetNuc|SetNuclearRank|SetNucleusMachine|SetNucleusOfFRAlgebra|SetNucleusOfFRMachine|SetNucleusOfFRSemigroup|SetNucleusOfLoop|SetNucleusOfParabolicQuadric|SetNucleusOfQuasigroup|SetNullAlgebra|SetNullspaceIntMat|SetNullspaceMat|SetNumberColumns|SetNumberGeneratorsOfRws|SetNumberOfArrows|SetNumberOfIndecomposables|SetNumberOfProjectives|SetNumberOfStates|SetNumberOfVertices|SetNumberParts|SetNumberRows|SetNumberSyllables|SetNumeratorOfHilbertPoincareSeries|SetNumeratorOfModuloPcgs|SetNumeratorOfRationalFunction|SetNumericalSemigroupGS|SetNumericalSemigroupListGS|SetOMReference|SetONanScottType|SetObject|SetObject2d|SetObject2dEndomorphism|SetObjectCache|SetObjectDatum|SetObjectFilter|SetObjectFunctionName|SetObjectGroups|SetObjectHomomorphisms|SetObjectList|SetObjectTransformationOfGroupoidHomomorphism|SetObjectType|SetOccuringVariableIndices|SetOfDegreesOfGenerators|SetOfNumericalSemigroups|SetOmegaAndLowerPCentralSeries|SetOmegaSeries|SetOne|SetOneAttr|SetOneConjugateSubgroupNotPermutingWithInParent|SetOneElementShowingNotWeaklyNormalInParent|SetOneElementShowingNotWeaklyPermutableInParent|SetOneElementShowingNotWeaklySPermutableInParent|SetOneGeneratedNormalSubgroups|SetOneImmutable|SetOneOfBaseDomain|SetOneOfPcgs|SetOneStepReachablePlaces|SetOneSubgroupInWhichSubnormalNotNormalInParent|SetOneSubgroupInWhichSubnormalNotPermutableInParent|SetOneSubgroupInWhichSubnormalNotSPermutableInParent|SetOneSubgroupNotPermutingWithInParent|SetOneSubnormalNonConjugatePermutableSubgroup|SetOneSubnormalNonNormalSubgroup|SetOneSubnormalNonPermutableSubgroup|SetOneSubnormalNonSNPermutableSubgroup|SetOneSubnormalNonSPermutableSubgroup|SetOneSylowSubgroupNotPermutingWithInParent|SetOneSystemNormalizerNotPermutingWithInParent|SetOpenIntervalNS|SetOpenMathDefaultPolynomialRing|SetOperationOfFunctor|SetOperationRecord|SetOperations|SetOperatorOfExternalSet|SetOpposite|SetOppositeAlgebraHomomorphism|SetOppositeCategory|SetOppositeNakayamaFunctorOfModule|SetOppositeNakayamaFunctorOfModuleHomomorphism|SetOppositePathAlgebra|SetOppositeQuiver|SetOppositeQuiverNameMap|SetOrbitLengths|SetOrbitLengthsDomain|SetOrbitPartition|SetOrbitSignalizer|SetOrbitStabilizingParentGroup|SetOrbits|SetOrbitsDomain|SetOrbitsMovedPoints|SetOrder|SetOrderOfNakayamaAutomorphism|SetOrderOfQ|SetOrderVertex|SetOrderedAlphabet|SetOrdering|SetOrderingName|SetOrderingOfAlgebra|SetOrderingOfKBMAGRewritingSystem|SetOrderingOfQuiver|SetOrderingOfRewritingSystem|SetOrderingOnGenerators|SetOrderingRWS|SetOrderingsFamily|SetOrdersClassRepresentatives|SetOrdersTom|SetOrdinaryCharacterTable|SetOrdinaryFormation|SetOrientationModule|SetOriginalPathAlgebra|SetOrthogonalSpaceInFullRowSpace|SetOutDegreeOfVertex|SetOutDegreeSequence|SetOutDegreeSet|SetOutDegrees|SetOutLetter|SetOuterAction|SetOuterDistribution|SetOuterGroup|SetOuterPlanarEmbedding|SetOutgoingArrowsOfVertex|SetP0VertexList|SetP1VertexList|SetPBWMonomial|SetPCMinimalAutomaton|SetPCentralLieAlgebra|SetPCentralNormalSeriesByPcgsPGroup|SetPCentralSeries|SetPClassOfLiePRing|SetPClassPGroup|SetPCore|SetPGroupToLieRing|SetPMInequality|SetPResidual|SetPRump|SetPSLDegree|SetPSLUnderlyingField|SetPSocle|SetPSocleComponents|SetPSocleSeries|SetPackageInfo|SetPackagePath|SetParametersEdge|SetParametersOfGroupViewedAsGL|SetParametersOfGroupViewedAsPSL|SetParametersOfGroupViewedAsSL|SetParametersOfRationalDoubleShiftAlgebra|SetParametersOfRationalPseudoDoubleShiftAlgebra|SetParent|SetParentAlgebra|SetParentAttr|SetParentMappingGroupoids|SetParentPcgs|SetPariStackSize|SetPartialClosureOfCongruence|SetPartialElements|SetPartialElementsLength|SetPartialInverseElements|SetPartialOrderOfDClasses|SetPartialOrderOfHasseDiagram|SetPartitionOfSource|SetPartsOfPartitionDS|SetPathAlgebraOfMatModuleMap|SetPatterns|SetPcGroupWithPcgs|SetPcNormalizedUnitGroup|SetPcSeries|SetPcUnits|SetPcgs|SetPcgsCentralSeries|SetPcgsChiefSeries|SetPcgsElementaryAbelianSeries|SetPcgsPCentralSeriesPGroup|SetPcpGroupByEfaSeries|SetPcpsOfEfaSeries|SetPeifferSub2DimensionalGroup|SetPeifferSubgroup|SetPerfectIdentification|SetPerfectResiduum|SetPeriodNTPMatrix|SetPeriodicityOfSubgroupPres|SetPermGroupOnLevel|SetPermInvolution|SetPermOnLevel|SetPermanent|SetPermutationAutomorphismGroup|SetPermutationGroup|SetPermutationTom|SetPermutations|SetPermutiserInParent|SetPermutizerInParent|SetPiPrimarySplitting|SetPiResidual|SetPieceIsomorphisms|SetPieces|SetPiecesOfMapping|SetPlaceTriples|SetPlaces|SetPlanarEmbedding|SetPointDiamEdge|SetPointGroup|SetPointGroupRepresentatives|SetPointHomomorphism|SetPointsOfDesign|SetPolarSpaceType|SetPolyCodeword|SetPolymakeCommand|SetPolymakeDataDirectory|SetPolynomialDegreeOfGrowth|SetPolynomialDegreeOfGrowthOfUnderlyingAutomaton|SetPolynomialNearRingFlag|SetPolynomialOfForm|SetPolynomialRingWithDegRevLexOrdering|SetPolynomialRingWithLexicographicOrdering|SetPolynomialRingWithProductOrdering|SetPolynomialRingWithWeightedOrdering|SetPolynomialsWithoutRelativeIndeterminates|SetPosetOfPosetAlgebra|SetPosetOfPrincipalCongruences|SetPosetOfPrincipalLeftCongruences|SetPosetOfPrincipalRightCongruences|SetPosition|SetPositionOfFirstNonZeroEntryPerColumn|SetPositionOfFirstNonZeroEntryPerRow|SetPositionOfTheDefaultPresentation|SetPositionOfTheDefaultSetOfGenerators|SetPositionsInSupersemigroup|SetPositiveRootVectors|SetPositiveRoots|SetPositiveRootsAsWeights|SetPositiveRootsFC|SetPositiveRootsInConvexOrder|SetPositiveRootsNF|SetPositiveRootsOfUnitForm|SetPower|SetPowerANC|SetPowerNC|SetPowerOverBaseRoot|SetPowerOverSmallestRoot|SetPowerS|SetPowerSeries|SetPowerSubalgebra|SetPowerSubalgebraSeries|SetPowers|SetPreCat1AlgebraOfPreXModAlgebra|SetPreCat1GroupRecordOfPreXMod|SetPreCat2GroupOfPreCrossedSquare|SetPreCrossedSquareOfPreCat2Group|SetPreEval|SetPreImagesRange|SetPreXModAlgebraOfPreCat1Algebra|SetPreXModRecordOfPreCat1Group|SetPrecisionFloat|SetPrefrattiniSubgroup|SetPregroup|SetPregroupElementId|SetPregroupElementNames|SetPregroupInverse|SetPregroupOf|SetPregroupPresentationOf|SetPresentationIdeal|SetPresentationOfGradedStructureConstantAlgebra|SetPrevLocation|SetPrimaryDecomposition|SetPrimaryGeneratorWords|SetPrimeDivisors|SetPrimeField|SetPrimeIdeals|SetPrimeOfLiePRing|SetPrimePGroup|SetPrimePowerComponents|SetPrimePowerGensPcSequence|SetPrimeSet|SetPrimesDividingSize|SetPrimitiveCentralIdempotentsByExtSSP|SetPrimitiveCentralIdempotentsByStrongSP|SetPrimitiveElement|SetPrimitiveIdempotents|SetPrimitiveIdentification|SetPrimitiveRoot|SetPrincipalCongruencesOfSemigroup|SetPrincipalCrossedPairing|SetPrincipalDerivations|SetPrincipalFactor|SetPrincipalLeftCongruencesOfSemigroup|SetPrincipalRightCongruencesOfSemigroup|SetPrintFormattingStatus|SetProcedureToNormalizeGenerators|SetProcedureToReadjustGenerators|SetProcessID|SetProcessToDoList|SetProductOfIndeterminates|SetProductOfIndeterminatesOverBaseRing|SetProjDimension|SetProjection|SetProjectionFromBlocks|SetProjectionOfFactorPreXMod|SetProjections|SetProjectionsToCoordinates|SetProjectiveCover|SetProjectiveDegree|SetProjectiveDimension|SetProjectiveOrder|SetProjectives|SetProjectivesFList|SetProjectivesFPrimeList|SetProjectivesInfo|SetProjectivityGroup|SetProjector|SetProjectorFunction|SetPropertiesIfKernelIsTorsionObject|SetPropertiesOfAdditiveInverse|SetPropertiesOfComposedMorphism|SetPropertiesOfCoproductMorphism|SetPropertiesOfDifferenceMorphism|SetPropertiesOfDirectSum|SetPropertiesOfFunctorMor|SetPropertiesOfGeneralizedMorphism|SetPropertiesOfMulMorphism|SetPropertiesOfPostDivide|SetPropertiesOfProductMorphism|SetPropertiesOfSumMorphism|SetProportionallyModularConditionNS|SetPseudoFrobenius|SetPseudoFrobeniusOfIdealOfNumericalSemigroup|SetPseudoFrobeniusOfNumericalSemigroup|SetPseudoInverse|SetPseudoRandomSeed|SetPthPowerImages|SetPullbackInfo|SetPullbackPairOfMorphisms|SetPullbacks|SetPurityFiltration|SetPushoutPairOfMorphisms|SetPushouts|SetQUEAToUEAMap|SetQuadraticForm|SetQuadraticFormOfUnitForm|SetQuantizedUEA|SetQuantumParameter|SetQuasiDihedralGenerators|SetQuasigroupElmName|SetQuasiregularElements|SetQuaternionGenerators|SetQuiverOfPathAlgebra|SetQuiverOfPathRing|SetQuiverProductDecomposition|SetQuotientSemigroupCongruence|SetQuotientSemigroupHomomorphism|SetQuotientSemigroupPreimage|SetRClassOfHClass|SetRClassReps|SetRClassType|SetRClasses|SetREPN_ComputeUsingMyMethod|SetREPN_ComputeUsingMyMethodCanonical|SetREPN_ComputeUsingSerre|SetRIFac|SetRIKer|SetRIParent|SetRLetters|SetRMSNormalization|SetRMatrix|SetRPerms|SetRProjectives|SetRProjectivesVertexList|SetRStarClass|SetRStarClasses|SetRStarRelation|SetRZMSConnectedComponents|SetRZMSDigraph|SetRZMSNormalization|SetRack2YB|SetRadical|SetRadicalDecomposition|SetRadicalFunction|SetRadicalOfAlgebra|SetRadicalOfForm|SetRadicalSeriesOfAlgebra|SetRadicalSubobject|SetRange|SetRangeAid|SetRangeCategoryOfHomomorphismStructure|SetRangeEmbedding|SetRangeEndomorphism|SetRangeHom|SetRangeOfFunctor|SetRangeProjection|SetRank2Parameters|SetRankAction|SetRankAttr|SetRankMat|SetRankMatDestructive|SetRankMatrix|SetRankMorphism|SetRankOfBipartition|SetRankOfBlocks|SetRankOfFreeGroup|SetRankOfKernelOfActionOnRespectedPartition|SetRankOfObject|SetRankOfPartialPermCollection|SetRankOfPartialPermSemigroup|SetRankOfTransformation|SetRankPGroup|SetRat|SetRationalClasses|SetRationalFunctionsFamily|SetRationalParameters|SetRationalizedMat|SetRaysOfGroupoid|SetRealCayleyTriple|SetRealClasses|SetRealFormParameters|SetRealPart|SetRealStructure|SetRecNames|SetRecogDecompinfoHomomorphism|SetRecurList|SetRecursionTrapInterval|SetReducedBasisOfColumnModule|SetReducedBasisOfRowModule|SetReducedColumnEchelonForm|SetReducedConfluentRewritingSystem|SetReducedDigraphAttr|SetReducedMultiplication|SetReducedRowEchelonForm|SetReducedSyzygiesGeneratorsOfColumns|SetReducedSyzygiesGeneratorsOfRows|SetReductionNumber|SetReductionNumberIdealNumericalSemigroup|SetRedundancy|SetReesCongruenceOfSemigroupIdeal|SetReesMatrixSemigroupOfFamily|SetRefinedPcGroup|SetRefinedRespectedPartitions|SetRegularActionHomomorphism|SetRegularDClasses|SetRegularDerivations|SetRegularElements|SetRegularSections|SetRegularSemisimpleSubalgebras|SetReidemeisterMap|SetRelationsOfAlgebra|SetRelationsOfFpMonoid|SetRelationsOfFpSemigroup|SetRelationsOfStzPresentation|SetRelativeDiameter|SetRelativeIndeterminateAntiCommutingVariablesOfExteriorRing|SetRelativeIndeterminateCoordinatesOfBiasedDoubleShiftAlgebra|SetRelativeIndeterminateCoordinatesOfDoubleShiftAlgebra|SetRelativeIndeterminateCoordinatesOfPseudoDoubleShiftAlgebra|SetRelativeIndeterminateCoordinatesOfRingOfDerivations|SetRelativeIndeterminateDerivationsOfRingOfDerivations|SetRelativeIndeterminatesOfPolynomialRing|SetRelativeIndex|SetRelativeOrder|SetRelativeOrderNC|SetRelativeOrderPcp|SetRelativeOrders|SetRelativeParametersOfRationalDoubleShiftAlgebra|SetRelativeParametersOfRationalPseudoDoubleShiftAlgebra|SetRelator|SetRelatorModulePoly|SetRelators|SetRelatorsAndInverses|SetRelatorsOfFpAlgebra|SetRelatorsOfFpGroup|SetRemoveContrapositions|SetRepresentationIsomorphism|SetRepresentative|SetRepresentativeOfMinimalDClass|SetRepresentativeOfMinimalIdeal|SetRepresentativeOutNeighbours|SetRepresentativeSmallest|SetRepresentativesContainedRightCosets|SetRepresentativesMinimalBlocksAttr|SetRepresentativesOfElements|SetRepresentativesPerfectSubgroups|SetRepresentativesSimpleSubgroups|SetResidual|SetResidualFunction|SetResidualFunctionOfFormation|SetResidualWrtFormation|SetResidueClassRing|SetResidueClassRingAsGradedLeftModule|SetResidueClassRingAsGradedRightModule|SetResidueLabelForEdge|SetRespectedPartition|SetRespectsAddition|SetRespectsAdditiveInverses|SetRespectsInverses|SetRespectsMultiplication|SetRespectsOne|SetRespectsScalarMultiplication|SetRespectsZero|SetRestrictedEndomorphismNearRingFlag|SetRestrictedInverseGeneralMapping|SetRetract|SetReverseNaturalPartialOrder|SetReversedArrow|SetRewritingSystemFpGroup|SetRewritingSystemOfWordAcceptor|SetRho|SetRhoAct|SetRhoBound|SetRhoCosets|SetRhoFunc|SetRhoIdentity|SetRhoInverse|SetRhoOrb|SetRhoOrbOpts|SetRhoOrbSCC|SetRhoOrbSCCIndex|SetRhoOrbSeed|SetRhoOrbStabChain|SetRhoRank|SetRight2DimensionalGroup|SetRight2DimensionalMorphism|SetRight3DimensionalGroup|SetRightActingAlgebra|SetRightActingDomain|SetRightActingGroup|SetRightActingRingOfIdeal|SetRightActionGroupoid|SetRightBasis|SetRightBlocks|SetRightCayleyDigraph|SetRightCayleyGraphSemigroup|SetRightCongruencesOfSemigroup|SetRightDerivations|SetRightGlobalDimension|SetRightGroebnerBasisOfModule|SetRightInnerMappingGroup|SetRightInverse|SetRightInverseOfHomomorphism|SetRightMinimalVersion|SetRightMultiplicationGroup|SetRightMultiplicationGroupOfQuandle|SetRightMultiplicationGroupOfQuandleAsPerm|SetRightNilpotentIdeals|SetRightNucleus|SetRightOne|SetRightPermutations|SetRightPresentations|SetRightProjection|SetRightSection|SetRightSeries|SetRightTransversalInParent|SetRightTransversalsOfGraphOfGroupoids|SetRightTransversalsOfGraphOfGroups|SetRightUnitor|SetRightUnitorInverse|SetRigidNilpotentOrbits|SetRingElementConstructor|SetRingIdeal|SetRingProperties|SetRingRelations|SetRoot2dGroup|SetRootDatumInfo|SetRootGroupHomomorphism|SetRootIdentities|SetRootObject|SetRootOfDefiningPolynomial|SetRootSystem|SetRootsAsMatrices|SetRootsOfCode|SetRotationFactor|SetRound|SetRowEchelonForm|SetRowLength|SetRowRank|SetRowRankOfMatrix|SetRowSpaceBasis|SetRowSpaceTransformation|SetRowSpaceTransformationInv|SetRows|SetRowsOfMatrix|SetRowsOfReesMatrixSemigroup|SetRowsOfReesZeroMatrixSemigroup|SetRules|SetRulesOfSemigroup|SetSCAltshulerSteinberg|SetSCAutomorphismGroup|SetSCAutomorphismGroupSize|SetSCAutomorphismGroupStructure|SetSCAutomorphismGroupTransitivity|SetSCBoundaryEx|SetSCBoundaryOperatorMatrix|SetSCCentrallySymmetricElement|SetSCCoboundaryOperatorMatrix|SetSCCohomology|SetSCCohomologyBasis|SetSCCohomologyBasisAsSimplices|SetSCConnectedComponents|SetSCDate|SetSCDifferenceCycles|SetSCDim|SetSCDualGraph|SetSCEulerCharacteristic|SetSCExportIsoSig|SetSCFVector|SetSCFaces|SetSCFacesEx|SetSCFacetsEx|SetSCFpBettiNumbers|SetSCFundamentalGroup|SetSCGVector|SetSCGeneratorsEx|SetSCGenus|SetSCHVector|SetSCHasBoundary|SetSCHasInterior|SetSCHasseDiagram|SetSCHomalgBoundaryMatrices|SetSCHomalgCoboundaryMatrices|SetSCHomalgCohomology|SetSCHomalgCohomologyBasis|SetSCHomalgHomology|SetSCHomalgHomologyBasis|SetSCHomology|SetSCHomologyBasis|SetSCHomologyBasisAsSimplices|SetSCIncidencesEx|SetSCInterior|SetSCIntersectionForm|SetSCIntersectionFormDimensionality|SetSCIntersectionFormParity|SetSCIntersectionFormSignature|SetSCIsCentrallySymmetric|SetSCIsCollapsible|SetSCIsConnected|SetSCIsEmpty|SetSCIsEulerianManifold|SetSCIsFlag|SetSCIsHomologySphere|SetSCIsInKd|SetSCIsKNeighborly|SetSCIsKStackedSphere|SetSCIsManifold|SetSCIsOrientable|SetSCIsPseudoManifold|SetSCIsPure|SetSCIsShellable|SetSCIsSimplyConnected|SetSCIsSphere|SetSCIsStronglyConnected|SetSCIsTight|SetSCLabels|SetSCMinimalNonFacesEx|SetSCNSTriangulation|SetSCName|SetSCNeighborliness|SetSCNumFaces|SetSCOrientation|SetSCReference|SetSCShelling|SetSCSkelEx|SetSCSpanningTree|SetSCStronglyConnectedComponents|SetSCTopologicalType|SetSCVertices|SetSEMIGROUPS_FilterOfMatrixOverSemiring|SetSEMIGROUPS_TypeViewStringOfMatrixOverSemiring|SetSL2Triple|SetSLAComponents|SetSLDegree|SetSLUnderlyingField|SetSSPNonESSPAndTheirIdempotents|SetSameMinorantsSubgroup|SetSatakeDiagram|SetSatisfiesC|SetSatisfiesD|SetSaturateToDegreeZero|SetSaturatedFittingFormation|SetSaturatedFormation|SetSchreierData|SetSchunckClass|SetSchurCover|SetSchurCovering|SetSchurExtension|SetSchurExtensionEpimorphism|SetSchutzGpMembership|SetSchutzenbergerGroup|SetScottLength|SetScreenOfFormation|SetSec|SetSech|SetSeedFaithfulAction|SetSemiEchelonBasis|SetSemiEchelonMat|SetSemiEchelonMatTransformation|SetSemiSimpleEfaSeries|SetSemiSimpleType|SetSemidirectDecompositions|SetSemidirectProductInfo|SetSemigroupData|SetSemigroupDataIndex|SetSemigroupDirectProductInfo|SetSemigroupIdealData|SetSemigroupIdealOfReesCongruence|SetSemigroupOfAutomFamily|SetSemigroupOfCayleyDigraph|SetSemigroupOfRewritingSystem|SetSemigroupOfSelfSimFamily|SetSemigroupsOfStrongSemilatticeOfSemigroups|SetSemilatticeOfStrongSemilatticeOfSemigroups|SetSemiprimeIdeals|SetSesquilinearForm|SetShiftsDownOn|SetShiftsUpOn|SetShodaPairsAndIdempotents|SetShortPresentation|SetShortRedBlobIndex|SetSign|SetSignBit|SetSignFloat|SetSignInOddCTPZ|SetSignPerm|SetSignatureTable|SetSigns|SetSimilarityGroup|SetSimpleModules|SetSimpleRootsAsWeights|SetSimpleSystem|SetSimpleSystemNF|SetSimplify|SetSimplifyHomalgMatrixByLeftAndRightMultiplicationWithInvertibleMatrices|SetSimplifyHomalgMatrixByLeftMultiplicationWithInvertibleMatrix|SetSimplifyHomalgMatrixByRightMultiplicationWithInvertibleMatrix|SetSimsNo|SetSin|SetSinCos|SetSingularGroebnerBasis|SetSingularIdentifier|SetSingularReducedGroebnerBasis|SetSinh|SetSinks|SetSize|SetSizeFoldDirectProduct|SetSizeOfAlphabet|SetSizeOfSmallestResidueClassRing|SetSizeRatExp|SetSizeUnderlyingSetDS|SetSizesCentralisers|SetSizesCentralizers|SetSizesConjugacyClasses|SetSkewbrace2YB|SetSkewbraceAList|SetSkewbraceMList|SetSkipListParameter|SetSlotUsagePattern|SetSmallElements|SetSmallElementsOfGoodIdeal|SetSmallElementsOfGoodSemigroup|SetSmallElementsOfIdealOfNumericalSemigroup|SetSmallElementsOfNumericalSemigroup|SetSmallGeneratingSet|SetSmallGeneratingSetForSemigroups|SetSmallInverseMonoidGeneratingSet|SetSmallInverseSemigroupGeneratingSet|SetSmallMonoidGeneratingSet|SetSmallSemigroupGeneratingSet|SetSmallerDegreePartialPermRepresentation|SetSmallerDegreePermutationRepresentation2DimensionalGroup|SetSmallestElementRClass|SetSmallestElementSemigroup|SetSmallestGeneratorPerm|SetSmallestIdempotentPower|SetSmallestImageOfMovedPoint|SetSmallestMovedPoint|SetSmallestMovedPointPerm|SetSmallestMultiplicationTable|SetSmallestRoot|SetSocle|SetSocleComplement|SetSocleComponents|SetSocleDimensions|SetSocleTypePrimitiveGroup|SetSolubleSocle|SetSolubleSocleComponents|SetSolvableRadical|SetSolvableSeries|SetSolvableSocle|SetSolvableSocleComponents|SetSomeInjectiveObject|SetSomeInvariantSubgroupsOfGamma|SetSomeProjectiveObject|SetSomeReductionBySplitEpiSummand|SetSomeReductionBySplitEpiSummand_MorphismFromInputRange|SetSomeReductionBySplitEpiSummand_MorphismToInputRange|SetSortingPerm|SetSource|SetSourceAid|SetSourceEndomorphism|SetSourceForEquivalence|SetSourceGenerators|SetSourceHom|SetSourceOfFunctor|SetSourceOfIsoclinicTable|SetSourceOfPath|SetSourcePolynomialRing|SetSourceProjection|SetSourceRelations|SetSources|SetSparseCartanMatrix|SetSpecialCoveringRadius|SetSpecialDecoder|SetSpecialGaps|SetSpecialGapsOfNumericalSemigroup|SetSpecialHomographyGroup|SetSpecialIsometryGroup|SetSpecialPcgs|SetSpecialProjectivityGroup|SetSpecializedMorphismFilterForSerreQuotients|SetSpecializedObjectFilterForSerreQuotients|SetSpectralSequence|SetSphericalIndex|SetSphericallyTransitiveElement|SetSpinSymIngredients|SetSplittingField|SetSptSetZLMapInverseMat|SetSquare|SetStabChainImmutable|SetStabChainMutable|SetStabChainOptions|SetStabiliserVertex|SetStabilizerAction|SetStabilizerChain|SetStabilizerInfo|SetStabilizerOfExternalSet|SetStabilizerOfFirstLevel|SetStabilizerOfLevel|SetStableRank|SetStandardArray|SetStandardConjugate|SetStandardFlagOfCosetGeometry|SetStandardFrame|SetStandardGeneratorsInfo|SetStandardGeneratorsSubringSCRing|SetStandardizingConjugator|SetStar|SetStarGraphAttr|SetStarMethod|SetStarOfModule|SetStarOfModuleHomomorphism|SetStateName|SetStateNames|SetStateSet|SetStdGens|SetStdPresentation|SetStoredExcludedOrders|SetStoredGroebnerBasis|SetStoredPartialMaxSubs|SetStoredPermliftSeries|SetStoredStabilizerChain|SetStraightLineProgElmType|SetStraightLineProgramsTom|SetString|SetStrongLeftIdeals|SetStrongOrientationAttr|SetStrongShodaPairs|SetStrongShodaPairsAndIdempotents|SetStructuralSeriesOfGroup|SetStructureConstantsTable|SetStructureDescription|SetStructureDescriptionMaximalSubgroups|SetStructureDescriptionSchutzenbergerGroups|SetStructureGroup|SetSubAdditiveFunctionNS|SetSubNearRings|SetSubcategoryMembershipFunctionForGeneralizedMorphismCategoryByThreeArrows|SetSubcategoryMembershipTestFunctionForSerreQuotient|SetSubdiagonal2DimensionalGroup|SetSubdigraphHomeomorphicToK23|SetSubdigraphHomeomorphicToK33|SetSubdigraphHomeomorphicToK4|SetSubdirectProductInfo|SetSubdirectProductWithEmbeddingsInfo|SetSubfields|SetSubgroupoidsOfGraphOfGroupoids|SetSubgroupsOfIndexTwo|SetSubnormalSeriesInParent|SetSubrings|SetSubsTom|SetSubspaces|SetSuccessors|SetSup|SetSuperDomain|SetSuperObject|SetSupersemigroupOfIdeal|SetSupersolubleProjector|SetSupersolvableProjector|SetSupersolvableResiduum|SetSupport|SetSupportOfFormation|SetSurjectiveActionHomomorphismAttr|SetSylowComplement|SetSylowSubgroup|SetSylowSubgroups|SetSylowSystem|SetSymbols|SetSymbolsSupervised|SetSymmetricAlgebra|SetSymmetricDegree|SetSymmetricMatrixOfUnitForm|SetSymmetricParentGroup|SetSymmetricPowerBaseModule|SetSymmetricPowerExponent|SetSymmetricPowers|SetSyndromeTable|SetSystemNormalizer|SetSyzygiesGeneratorsOfColumns|SetSyzygiesGeneratorsOfRows|SetTLConstructor|SetTLDefault|SetTableOfMarks|SetTailMap|SetTailOfElm|SetTailOfGraphOfGroupsWord|SetTan|SetTanh|SetTarget|SetTargetObject|SetTargetOfPath|SetTargetOperation|SetTargetValueObject|SetTensorProductDecomposition|SetTensorProductOnObjects|SetTensorUnit|SetTermOrdering|SetTerminalObject|SetTerminalObjectFunctorial|SetTerms|SetTermsOfPolynomial|SetTestMonomial|SetTestMonomialQuick|SetTestQuasiPrimitive|SetTestRelativelySM|SetTestSubnormallyMonomial|SetTheIdentityMorphism|SetTheMorphismToZero|SetTheZeroElement|SetTheoremRecord|SetThetaInvolution|SetThresholdNTPMatrix|SetThresholdTropicalMatrix|SetTietzeBackwardMap|SetTietzeForwardMap|SetTietzeOrigin|SetToDoList|SetTomDataAlmostSimpleRecognition|SetTopDegreeOfTree|SetTopOfModule|SetTopOfModuleProjection|SetTopVertexTransformations|SetTorsion|SetTorsionFreeFactorEpi|SetTorsionObjectEmb|SetTorsionSubgroup|SetTorsionSubobject|SetTotalChernClass|SetTotalComplex|SetTrD|SetTrace|SetTraceField|SetTraceMap|SetTraceMat|SetTraceMatrix|SetTraceOfMagmaRingElement|SetTraceOfSemigroupCongruence|SetTranformsOneIntoZero|SetTransParts|SetTransformationOnFirstLevel|SetTransformationOnLevel|SetTransformationRepresentation|SetTransformationSemigroupOnLevel|SetTransformsAdditionIntoMultiplication|SetTransformsAdditiveInversesIntoInverses|SetTransformsInversesIntoAdditiveInverses|SetTransformsMultiplicationIntoAddition|SetTransformsZeroIntoOne|SetTransitionMap|SetTransitiveIdentification|SetTransitivity|SetTransitivityCertificate|SetTranslationBasis|SetTranslationNormalizer|SetTranspose3DimensionalGroup|SetTransposeCat1Group|SetTransposeIsomorphism|SetTransposeOfModule|SetTransposeOfModuleHomomorphism|SetTransposedClasses|SetTransposedMat|SetTransposedMatAttr|SetTransposedMatImmutable|SetTransposedMatrixGroup|SetTriangulizedNullspaceMat|SetTrivialAlgebraModule|SetTrivialArtinianSubmodule|SetTrivialCharacter|SetTrivialExtensionOfQuiverAlgebra|SetTrivialExtensionOfQuiverAlgebraLevel|SetTrivialExtensionOfQuiverAlgebraProjection|SetTrivialSubCat1Group|SetTrivialSubCat2Group|SetTrivialSubCrossedSquare|SetTrivialSubFLMLOR|SetTrivialSubPreCat1Group|SetTrivialSubPreCat2Group|SetTrivialSubPreCrossedSquare|SetTrivialSubPreXMod|SetTrivialSubXMod|SetTrivialSubadditiveMagmaWithZero|SetTrivialSubalgebra|SetTrivialSubgroup|SetTrivialSubmagmaWithOne|SetTrivialSubmodule|SetTrivialSubmonoid|SetTrivialSubnearAdditiveMagmaWithZero|SetTrivialSubspace|SetTrowProofTrackingObject|SetTrunc|SetTruncatedWilfNumberOfNumericalSemigroup|SetTwistingForCrossedProduct|SetTwitter|SetTwoCellFilter|SetTwoClosure|SetTypeOfForm|SetTypeOfHomalgMatrix|SetTypeOfNGroup|SetTypeOfNumericalSemigroup|SetTypeOfObjWithMemory|SetTypeOfRootSystem|SetTypeReesMatrixSemigroupElements|SetTypesOfElementsOfIncidenceStructure|SetTypesOfElementsOfIncidenceStructurePlural|SetTzOptions|SetTzRules|SetUEA|SetUderlyingLieAlgebra|SetUnderlyingASIdeal|SetUnderlyingAdditiveGroup|SetUnderlyingAlgebra|SetUnderlyingAscendingLPresentation|SetUnderlyingAssociativeAlgebra|SetUnderlyingAutomFamily|SetUnderlyingAutomaton|SetUnderlyingAutomatonGroup|SetUnderlyingAutomatonSemigroup|SetUnderlyingCategory|SetUnderlyingCell|SetUnderlyingCharacterTable|SetUnderlyingCharacteristic|SetUnderlyingCollection|SetUnderlyingCongruence|SetUnderlyingCycleSet|SetUnderlyingExternalSet|SetUnderlyingFRMachine|SetUnderlyingFamily|SetUnderlyingField|SetUnderlyingFieldForHomalg|SetUnderlyingFreeGenerators|SetUnderlyingFreeGroup|SetUnderlyingFreeMonoid|SetUnderlyingFreeSubgroup|SetUnderlyingFunction|SetUnderlyingGeneralMapping|SetUnderlyingGeneralizedMorphism|SetUnderlyingGeneralizedMorphismCategory|SetUnderlyingGeneralizedObject|SetUnderlyingGroup|SetUnderlyingGroupRing|SetUnderlyingHomalgRing|SetUnderlyingHonestCategory|SetUnderlyingHonestObject|SetUnderlyingIndeterminate|SetUnderlyingInjectionZeroMagma|SetUnderlyingInvariantLPresentation|SetUnderlyingLeftModule|SetUnderlyingLieAlgebra|SetUnderlyingMagma|SetUnderlyingMatrix|SetUnderlyingMealyElement|SetUnderlyingModule|SetUnderlyingModuleElement|SetUnderlyingMorphism|SetUnderlyingMultiplicativeGroup|SetUnderlyingNSIdeal|SetUnderlyingRelation|SetUnderlyingRing|SetUnderlyingRingElement|SetUnderlyingSelfSimFamily|SetUnderlyingSemigroup|SetUnderlyingSemigroupElementOfMonoidByAdjoiningIdentityElt|SetUnderlyingSemigroupFamily|SetUnderlyingSemigroupOfCongruencePoset|SetUnderlyingSemigroupOfMonoidByAdjoiningIdentity|SetUnderlyingSemigroupOfSemigroupWithAdjoinedZero|SetUnderlyingSubobject|SetUndirectedSpanningForestAttr|SetUndirectedSpanningTreeAttr|SetUniformGeneratorsOfModule|SetUniqueMorphism|SetUniqueObject|SetUnitGroup|SetUnitObject|SetUnitarySubgroup|SetUnits|SetUnivariateMonomialsOfMonomial|SetUniversalEnvelopingAlgebra|SetUniversalMorphismFromInitialObject|SetUniversalMorphismFromZeroObject|SetUniversalMorphismIntoTerminalObject|SetUniversalMorphismIntoZeroObject|SetUnreducedFpSemigroup|SetUnreducedNumeratorOfHilbertPoincareSeries|SetUp2DimensionalGroup|SetUp2DimensionalMorphism|SetUp3DimensionalGroup|SetUpDownMorphism|SetUpGeneratorImages|SetUpHomomorphism|SetUpImagePositions|SetUpSchurMultSystem|SetUpperActingDomain|SetUpperBoundForProjectiveDimension|SetUpperBoundOptimalMinimumDistance|SetUpperCentralSeriesOfGroup|SetUpperFittingSeries|SetUseLibraryCollector|SetUsedOperationMultiples|SetUsedOperations|SetUsedOperationsWithMultiples|SetUserHasQuit|SetUserPreference|SetUserPreferences|SetVHRws|SetVHStructure|SetVagnerPrestonRepresentation|SetValuesOfClassFunction|SetVectorCodeword|SetVertexGraph|SetVertexGraphDistances|SetVertexTransformations|SetVertexTransformationsFRElement|SetVertexTransformationsFRMachine|SetVertexTripleCache|SetVertexTriples|SetVerticalAction|SetVerticesOfGraphInverseSemigroup|SetVerticesOfQuiver|SetVoganDiagram|SetWalkOfPath|SetWasCreatedAsOppositeCategory|SetWeddDecomp|SetWeddDecompData|SetWedderburnDecompositionInfo|SetWedderburnRadical|SetWeight|SetWeightCodeword|SetWeightDistribution|SetWeightOfGenerators|SetWeightedBasis|SetWeightedDynkinDiagram|SetWeightsAndVectors|SetWeightsOfIndeterminates|SetWeightsTom|SetWeylGroup|SetWeylGroupAsPermGroup|SetWeylPermutations|SetWeylWord|SetWhiteheadGroupGeneratingDerivations|SetWhiteheadGroupGeneratorPositions|SetWhiteheadGroupTable|SetWhiteheadMonoidTable|SetWhiteheadPermGroup|SetWhiteheadTransformationMonoid|SetWhiteheadXMod|SetWilfNumber|SetWilfNumberOfNumericalSemigroup|SetWittIndex|SetWordAcceptorOfDoubleCosetRws|SetWordAcceptorOfReducedRws|SetWordLength|SetWordOfGraphOfGroupoidsWord|SetWordOfGraphOfGroupsWord|SetWords|SetWreathProductInfo|SetWreathRecursion|SetWyckoffOrbit|SetWyckoffPositions|SetWyckoffStabilizer|SetX|SetXHelp|SetXHelp0|SetXHelp1|SetXHelp2|SetXModAction|SetXModAlgebraAction|SetXModAlgebraConst|SetXModAlgebraOfCat1Algebra|SetXModByAutomorphismGroup|SetXModByInnerAutomorphismGroup|SetXModByPeifferQuotient|SetXModCentre|SetXModMorphismOfCat1GroupMorphism|SetXModOfCat1Group|SetYB2CycleSet|SetYBPermutationGroup|SetYSequenceModulePoly|SetYieldsDiscreteUniversalGroup|SetZClassRepsQClass|SetZero|SetZeroAttr|SetZeroCoefficient|SetZeroColumns|SetZeroImmutable|SetZeroModule|SetZeroObject|SetZeroObjectFunctorial|SetZeroOfBaseDomain|SetZeroRows|SetZeroSubobject|SetZeroSymmetricElements|SetZeroSymmetricPart|SetZerothRegularity|SetZeta|SetZuppos|Set__ID|Setcalcnicegens|SetcorelgCompactDimOfCSA|SetcorelgRealWG|Setfhmethsel|SetfindgensNmeth|Setforfactor|Setforkernel|SetgensN|SetgensNslp|SethomalgTable|Setimmediateverification|Setisequal|Setisone|Setmethodsforfactor|Setpregensfac|SetrowcolsquareGroup|SetrowcolsquareGroup2|SetsOfGenerators|SetsOfRelations|SetsOrbits|Setslpforelement|Setslptonice|Setslptostd|Setter|SettingsDemo|SetupCache|SetupUZSystem|SetwiseStabilizer|SetwiseStabilizerPartitionBacktrack|SeveralMinimalParametrizations|SgpVizInfo|SgpVizTest|ShaSum|ShadedSetOfElementInAffineSemigroup|ShadedSetOfElementInNumericalSemigroup|ShadowOfElement|ShadowOfFlag|ShallowCopy|ShallowCopy_AllCat1Groups|ShallowCopy_AllCat1GroupsWithImage|ShallowCopy_AllCat2Groups|ShallowCopy_AllCat2GroupsWithImages|ShallowCopy_AllIsomorphisms|ShallowCopy_AllSubgroups|ShallowCopy_Basis|ShallowCopy_Cartesian|ShallowCopy_CartesianIterator|ShallowCopy_CoKernelGens|ShallowCopy_Combinations|ShallowCopy_Concatenation|ShallowCopy_FiniteFullRowModule|ShallowCopy_FreeGroup|ShallowCopy_FreeSemigroup|ShallowCopy_InfiniteFullRowModule|ShallowCopy_List|ShallowCopy_LowIndexSubgroupsFpGroup|ShallowCopy_Partitions|ShallowCopy_PartitionsSet|ShallowCopy_Rationals|ShallowCopy_SingleCollector|ShallowCopy_Subspaces|ShallowCopy_SubspacesAll|ShallowCopy_SubspacesDim|ShallowCopy_Trivial|ShallowCopy_Tuples|ShallowCopy_UnorderedPairs|ShapeFrequencies|ShapeTableau|ShapesOfMajoranaRepresentation|ShapesOfMajoranaRepresentationAxiomM8|ShareInternalObj|ShareKernelObj|ShareLibraryObj|ShareObj|ShareObjWithPrecedence|ShareSingleInternalObj|ShareSingleKernelObj|ShareSingleLibraryObj|ShareSingleObj|ShareSingleObjWithPrecedence|ShareSingleSpecialObj|ShareSpecialObj|ShareUserObj|SheetsOfSpectralSequence|Shift|ShiftAut|ShiftDirichletSeries|ShiftUnsigned|ShiftedCatalan|ShiftedCoeffs|ShiftedOrbitPart|ShiftedPadicNumber|ShiftedSplice|ShiftsDownOn|ShiftsUpOn|ShodaPairsAndIdempotents|ShortBlobWords|ShortCycles|ShortDescriptionOfCategory|ShortExactSequence|ShortGroupRelations|ShortGroupWordInSet|ShortLexLeqPartialPerm|ShortLexOrdering|ShortLexOrderingNC|ShortMonoidRelations|ShortMonoidWordInSet|ShortOrbits|ShortPresentation|ShortRedBlobIndex|ShortResidueClassCycles|ShortResidueClassOrbits|ShortSemigroupWordInSet|ShortenResolution|ShortenedCode|ShortestVectors|ShowAdditionTable|ShowArgument|ShowArguments|ShowDeclarationsOfOperation|ShowDetails|ShowGcd|ShowImpliedFilters|ShowKernelInformation|ShowMethods|ShowMultiplicationTable|ShowOtherMethods|ShowPackageInformation|ShowPackageVariables|ShowStringUserPreference|ShowSystemInformation|ShowToDoListInfo|ShowUsedInfoClasses|ShowUserPreferences|ShrinkAllocationPlist|ShrinkAllocationString|ShrinkChars|ShrinkClifford|ShrinkMat|ShrinkRowVector|ShrinkVec|ShrunkDirichletSeries|Shuffle|ShuffleIP_Colors|ShuffledIP_colors|Shutdown|ShutdownServingSocket|SidkiFreeAlgebra|SidkiFreeGroup|SidkiMonomialAlgebra|SiftAsWord|SiftBaseImage|SiftByBasePcgs|SiftExponentsByBasePcgs|SiftGroupElement|SiftGroupElementSLP|SiftInto|SiftIntoBasis|SiftIntoPlus|SiftUpperUnitriMat|SiftUpperUnitriMatGroup|SiftedPcElement|SiftedPcElementWrtPcSequence|SiftedPermutation|SiftedVector|SiftedVectorForGaussianMatrixSpace|SiftedVectorForGaussianRowSpace|SigInvariant|Sigma|SigmaL|Sign|SignBit|SignFloat|SignHomomorphism|SignInOddCTPZ|SignInt|SignInt_HAP|SignPartition|SignPerm|SignPermGroup|SignRat|SignatureData|SignatureDataForNormalSubgroups|SignatureTable|Signatures|SignedPermutationGroup|Signs|SilentNonInteractiveErrors|SimilarityGroup|SimpleAlgebraByCharacter|SimpleAlgebraByCharacterInfo|SimpleAlgebraByData|SimpleAlgebraByStrongSP|SimpleAlgebraByStrongSPInfo|SimpleAlgebraByStrongSPInfoNC|SimpleAlgebraByStrongSPNC|SimpleAlgebraByStrongSTInfo|SimpleAlgebraInfoByData|SimpleComponentByCharacterAsSCAlgebra|SimpleComponentByCharacterDescent|SimpleComponentOfGroupRingByCharacter|SimpleDimension|SimpleDimensionOp|SimpleForcedIntegersForPseudoFrobenius|SimpleGenerators|SimpleGroup|SimpleGroupsIterator|SimpleLieAlgebra|SimpleLieAlgebraTypeA_G|SimpleLieAlgebraTypeH|SimpleLieAlgebraTypeK|SimpleLieAlgebraTypeM|SimpleLieAlgebraTypeS|SimpleLieAlgebraTypeW|SimpleModules|SimplePermAut|SimpleRootsAsWeights|SimpleSystem|SimpleSystemNF|SimpleTensor|SimplerEquivalentMatrix|SimplexCode|SimplexMethod|Simplices|SimplicesToSimplicialComplex|SimplicialComplex|SimplicialComplexConnectedSum|SimplicialComplexToRegularCWComplex|SimplicialK3Surface|SimplicialMap|SimplicialMapNC|SimplicialNerveOfFilteredGraph|SimplicialNerveOfGraph|SimplicialNerveOfTwoComplex|SimplicialSet|SimplicialSetFamily|SimplicialSetType|SimplifiedCertificate|SimplifiedComplex|SimplifiedFpGroup|SimplifiedFpSemigroup|SimplifiedInequalities|SimplifiedQuandlePresentation|SimplifiedRegularCWComplex|SimplifiedSparseChainComplex|SimplifiedUnicodeString|SimplifiedUnicodeTable|SimplifiedUnionRatExp|Simplify|SimplifyEndo|SimplifyEndo_IsoFromInputObject|SimplifyEndo_IsoToInputObject|SimplifyFpSemigroup|SimplifyHomalgMatrixByLeftAndRightMultiplicationWithInvertibleMatrices|SimplifyHomalgMatrixByLeftMultiplicationWithInvertibleMatrix|SimplifyHomalgMatrixByRightMultiplicationWithInvertibleMatrix|SimplifyMorphism|SimplifyObject|SimplifyObject_IsoFromInputObject|SimplifyObject_IsoToInputObject|SimplifyPorcPoly|SimplifyPresentation|SimplifyRange|SimplifyRange_IsoFromInputObject|SimplifyRange_IsoToInputObject|SimplifySource|SimplifySourceAndRange|SimplifySourceAndRange_IsoFromInputRange|SimplifySourceAndRange_IsoFromInputSource|SimplifySourceAndRange_IsoToInputRange|SimplifySourceAndRange_IsoToInputSource|SimplifySource_IsoFromInputObject|SimplifySource_IsoToInputObject|SimsGerwitzGraph|SimsName|SimsNo|SimultaneousEigenvalues|Sin|SinCos|SingCommandInFileOutFile|SingCommandInFileOutStream|SingCommandInStreamOutFile|SingCommandInStreamOutStream|SingCommandUsingProcess|SingWriteAndReadUntilDone|Sing_Proc|SingerCycle|SingerCycleCollineation|SingerCycleMat|SingleCollector|SingleCollectorByGenerators|SingleCollectorByRelators|SingleCollector_CollectWord|SingleCollector_CollectWordRunning|SingleCollector_GroupRelators|SingleCollector_MakeAvector|SingleCollector_MakeInverses|SingleCollector_SetConjugateNC|SingleCollector_SetPowerNC|SingleCollector_SetRelativeOrderNC|SingleCollector_Solution|SingleHTTPRequest|SinglePieceGroupoid|SinglePieceGroupoidNC|SinglePieceGroupoidWithRays|SinglePieceGroupoidWithRaysNC|SinglePieceMagmaWithObjects|SinglePieceMonoidWithObjects|SinglePiecePreXModWithObjects|SinglePiecePreXModWithObjectsNC|SinglePieceSemigroupWithObjects|SinglePieceSubgroupoidByGenerators|SingleValueOfExteriorPowerElement|SingularApsisMonoid|SingularBaseRing|SingularBrauerMonoid|SingularCommand|SingularCrossedApsisMonoid|SingularDataTypeTestOrder|SingularDataTypes|SingularDualSymmetricInverseMonoid|SingularExecutableAndTempDirAreOk|SingularFactorisableDualSymmetricInverseMonoid|SingularGroebnerBasis|SingularHelp|SingularIdentifier|SingularInterface|SingularJonesMonoid|SingularLibrary|SingularLimitations|SingularLoadedLibraries|SingularMacros|SingularModularPartitionMonoid|SingularNames|SingularNamesThisRing|SingularNr|SingularOrderEndomorphisms|SingularPartitionMonoid|SingularPlanarModularPartitionMonoid|SingularPlanarPartitionMonoid|SingularPlanarUniformBlockBijectionMonoid|SingularPolynomialNormalForm|SingularReducedGroebnerBasis|SingularReloadFile|SingularReportInformation|SingularSetBaseRing|SingularSetNormalFormIdeal|SingularSetNormalFormIdealNC|SingularTempDirectory|SingularTransformationMonoid|SingularTransformationSemigroup|SingularType|SingularUniformBlockBijectionMonoid|SingularVersion|SingularitiesOfPureCubicalComplex|Sinh|Sinks|Size|SizeAddFactor|SizeBlist|SizeByBlocks|SizeByKnownClass|SizeConsiderFunction|SizeEnumerateCosetsRWS|SizeEnumerateRWS|SizeFoldDirectProduct|SizeGL|SizeL2Q|SizeLEnumerateDFA|SizeMC|SizeNumbersPerfectGroups|SizeOfAlphabet|SizeOfAlphabetFSA|SizeOfAutoOnFF|SizeOfCentralizerOfJmodIinG|SizeOfFieldOfDefinition|SizeOfGL|SizeOfGLdZmodmZ|SizeOfNilpotentMatGroup|SizeOfNilpotentMatGroupFF|SizeOfNilpotentMatGroupRN|SizeOfPGnpc2|SizeOfSemigroupData|SizeOfSmallestResidueClassRing|SizeOfSplittingField|SizeOfUnion|SizeOfUnionMod|SizeOfUnionRec|SizeOfUnionTriv|SizeOfWeylGroup|SizePSL|SizePolynomialUnipotentClassGL|SizeRWS|SizeRatExp|SizeSL|SizeScreen|SizeStabChain|SizeUnderlyingSetDS|SizesCentralisers|SizesCentralizers|SizesConjugacyClasses|SizesOfNilpotentPrimitiveMatGroups|SizesOfSmallSemisInEnum|SizesOfSmallSemisInIter|SizesPerfectGroups|SizesToBlocks|SkeletonOfCubicalComplex|SkeletonOfSimplicialComplex|Skewbrace|Skewbrace2YB|SkewbraceAList|SkewbraceActions|SkewbraceElm|SkewbraceElmConstructor|SkewbraceElmFamily|SkewbraceElmType|SkewbraceFamily|SkewbraceLambda|SkewbraceLambdaAsPermutation|SkewbraceMList|SkewbraceSubset2YB|SkewbraceType|Sleep|Slice|SliceFamily|SliceType|SliceTypeMutable|SlotUsagePattern|SmallBlockDimensionOfRepresentation|SmallBrace|SmallCat1Group|SmallCatOneGroup|SmallCrossedModule|SmallCycleSet|SmallElements|SmallElementsOfGoodIdeal|SmallElementsOfGoodSemigroup|SmallElementsOfIdealOfNumericalSemigroup|SmallElementsOfNumericalSemigroup|SmallFeasibleSRGParameterTuples|SmallGeneratingSet|SmallGeneratingSetForSemigroups|SmallGroup|SmallGroupsAvailable|SmallGroupsInformation|SmallIYB|SmallInverseMonoidGeneratingSet|SmallInverseSemigroupGeneratingSet|SmallLoop|SmallMonoidGeneratingSet|SmallNEngelLieRing|SmallOrbitPoint|SmallPregroup|SmallQLCycleSet|SmallQuasiCatOneGroup|SmallQuasiCrossedModule|SmallRing|SmallSemigroup|SmallSemigroupCreator|SmallSemigroupEltFamily|SmallSemigroupEltType|SmallSemigroupGeneratingSet|SmallSemigroupNC|SmallSemigroupType|SmallSimpleGroup|SmallSkewbrace|SmallTauGroup|SmalldimHomomorphismsModules|SmallerDegreePartialPermRepresentation|SmallerDegreePermutationRepresentation|SmallerDegreePermutationRepresentation2DimensionalGroup|SmallerQuotientSystem|SmallestElementRClass|SmallestElementSemigroup|SmallestEquivalentDifferenceSet|SmallestEquivalentFreeListOfDifferenceSets|SmallestGeneratorPerm|SmallestIdempotentPower|SmallestImageOfMovedPoint|SmallestImageSet|SmallestMovedPoint|SmallestMovedPointPerm|SmallestMovedPointPerms|SmallestMultiplicationTable|SmallestPrimeDivisor|SmallestRoot|SmallestRootInt|SmallsemiManualExamples|SmallsemiTestAll|SmallsemiTestManualExamples|SmithIntMatLLL|SmithIntMatLLLTrans|SmithNormalFormIntegerMat|SmithNormalFormIntegerMatTransforms|SmithNormalFormPPowerPoly|SmithNormalFormPPowerPolyColTransform|SmithNormalFormPPowerPolyTransforms|SmoktunowiczSeries|SmoothedFpGroup|SoASCollFamily|SoASFamily|SoPSCollFamily|SoPSFamily|Socle|SocleComplement|SocleComplements|SocleComponents|SocleDimensions|SocleMoreComponents|SocleOfModule|SocleOfModuleInclusion|SocleSeries|SocleTypePrimitiveGroup|Solids|SolubleNormalClosurePermGroup|SolubleQuotient|SolubleSocle|SolubleSocleComponents|SolutionDiophant|SolutionHomEquations|SolutionInhomEquations|SolutionIntMat|SolutionMat|SolutionMatDestructive|SolutionMatMod|SolutionMatMod1|SolutionMatModN|SolutionMatNoCo|SolutionNullspaceIntMat|SolutionSQ|SolutionsMatDestructive|SolvableBSGS|SolvableLieAlgebra|SolvableMatGroupExams|SolvableNormalClosurePermGroup|SolvableQuotient|SolvableRadical|SolvableSeries|SolvableSocle|SolvableSocleComponents|Solve|SolveCoset|SolveEquation2@Wedderga|SolveEquation3@Wedderga|SolveEquation@Wedderga|SolveHomEquationsModZ|SolveInhomEquationsModZ|SolveLinearSystem|SolveLinearSystemInAbCategory|SolveLinearSystemInAbCategoryOrFail|SolveOneInhomEquationModZ|SolveSystemGauss|SolveU1CocycleEq@SptSet|SomeCharSubalgebras|SomeInjectiveObject|SomeInvariantSubgroupsOfGamma|SomeProjectiveObject|SomeReductionBySplitEpiSummand|SomeReductionBySplitEpiSummand_MorphismFromInputRange|SomeReductionBySplitEpiSummand_MorphismToInputRange|SomeRefinedDifferenceSets|SomeRefinedDifferenceSums|SomeVerbalSubgroups|SophusTest|Sort|SortBy|SortEnumerateCosetsRWS|SortEnumerateRWS|SortFunctionWithMemory|SortKeyRecBib|SortLEnumerateDFA|SortParallel|SortRelsSortedByStartGen|SortedCharacterTable|SortedCharacters|SortedGaloisFieldElements|SortedList|SortedPolExtrepRatfun|SortedSparseActionHomomorphism|SortedSparseActionHomomorphismOp|SortedTom|Sortex|SortingPerm|Source|SourceAid|SourceEndomorphism|SourceForEquivalence|SourceGenerators|SourceHom|SourceOfArrow|SourceOfFunctor|SourceOfIsoclinicTable|SourceOfPath|SourceOfSpecialChainMorphism|SourcePart|SourcePolynomialRing|SourceProjection|SourceRelations|SourceVertex|Sources|SourcesFSA|Sp|SpaceAndOrbitStabilizer|SpaceGroup|SpaceGroupBBNWZ|SpaceGroupDataIT|SpaceGroupFunIT|SpaceGroupIT|SpaceGroupList2d|SpaceGroupList3d|SpaceGroupOnLeftBBNWZ|SpaceGroupOnLeftIT|SpaceGroupOnRightBBNWZ|SpaceGroupOnRightIT|SpaceGroupPcpGroup|SpaceGroupSettingsIT|SpaceGroupTypesByPointGroup|SpaceGroupTypesByPointGroupOnLeft|SpaceGroupTypesByPointGroupOnRight|SpaceGroupsByPointGroup|SpaceGroupsByPointGroupOnLeft|SpaceGroupsByPointGroupOnRight|SpacesOfFixedLines|Span|SpanningTree|Sparse6String|SparseActHomFO|SparseActionHomomorphism|SparseActionHomomorphismOp|SparseAddVec|SparseBoundaryMatrix|SparseCartanMatrix|SparseChainComplex|SparseChainComplexOfCubicalComplex|SparseChainComplexOfCubicalPair|SparseChainComplexOfFilteredRegularCWComplex|SparseChainComplexOfPair|SparseChainComplexOfRegularCWComplex|SparseChainComplexOfRegularCWComplexWithVectorField|SparseChainComplexOfSimplicialComplex|SparseChainComplexToChainComplex|SparseChainMapOfCubicalPairs|SparseConcat|SparseCutVec|SparseDepthVec|SparseDiagMat|SparseDualKroneckerProduct|SparseFilteredChainComplexOfFilteredCubicalComplex|SparseFilteredChainComplexOfFilteredSimplicialComplex|SparseHashTable|SparseIdentityMatrix|SparseInsert|SparseIntKey|SparseIntKeyVecListAndMatrix|SparseKroneckerProduct|SparseLimit|SparseMat|SparseMatrix|SparseMattoMat|SparseNullMat|SparsePartialPermNC|SparseRep|SparseRepresentation|SparseRowAdd|SparseRowInterchange|SparseRowMult|SparseRowReduce|SparseSemiEchelon|SparseTableFSA|SparseTableToBackTableFSA|SparseTableToDenseDTableFSA|SparseUnionOfColumns|SparseUnionOfRows|SparseVecMatMult|SparseVecToVec|SparseZeroColumns|SparseZeroMatrix|SparseZeroRows|SparseZeroVec|Spdesargues|Specht|SpechtCoefficients|SpechtDimension|SpechtDimensionOp|SpechtDirectory|SpechtPartitions|Specht_DecompositionNumber|Specht_GenAlgebra|Specht_PrettyPrintTableau|SpecialCoveringRadius|SpecialCoversData|SpecialDecoder|SpecialGaps|SpecialGapsOfNumericalSemigroup|SpecialHomographyGroup|SpecialIsometryGroup|SpecialLinearGroup|SpecialLinearGroupCons|SpecialLinearMonoid|SpecialMatrix|SpecialOrthogonalGroup|SpecialOrthogonalGroupCons|SpecialPcgs|SpecialPcgsFactor|SpecialPcgsSubgroup|SpecialProjectiveStabiliserGroupOfSubspace|SpecialProjectivityGroup|SpecialSemilinearGroup|SpecialSemilinearGroupCons|SpecialSolutionCR|SpecialUnitaryGroup|SpecialUnitaryGroupCons|SpecialViewSetupFunction|SpecialiseLiePRing|SpecialiseLiePRingNC|SpecialisePrimeOfLiePRing|SpecialisePrimeOfLiePRingNC|Specialized|SpecializedExtRepPol|SpecializedMorphismFilterForSerreQuotients|SpecializedObjectFilterForSerreQuotients|SpectralRadius|SpectralSequence|SpectralSequenceWithFiltrationOfCollapsedToZeroTransposedSpectralSequence|SpectralSequenceWithFiltrationOfTotalDefects|Spectrum|Sphere|SphereContainingCell|SphereContainingCellNC|SphereContainingCellNC_LargeGroupRep|SphereContainingCell_LargeGroupRep|SphereContent|SpheresProduct|SphericalIndex|SphericalKnotComplement|SphericalKnotComplementWithBoundary|SphericallyTransitiveElement|Spin|Spin12Factor|Spin12Factor2D@SptSet|Spin12FactorForPointGroup|Spin12FactorForSpaceGroup|Spin@SptSet|SpinHom|SpinHomFindVector|SpinInductionScheme|SpinSpaceVector|SpinSymBasicCharacter|SpinSymBrauerCharacter|SpinSymBrauerTableOfMaximalYoungSubgroup|SpinSymCharacterTableOfMaximalYoungSubgroup|SpinSymClassFusion|SpinSymClassFusion2AAin2A|SpinSymClassFusion2AAin2AS|SpinSymClassFusion2AAin2SA|SpinSymClassFusion2ASin2SS|SpinSymClassFusion2Ain2A|SpinSymClassFusion2Ain2S|SpinSymClassFusion2SAin2SS|SpinSymClassFusion2SSin2S|SpinSymClassFusion2Sin2A|SpinSymClassFusion2Sin2S|SpinSymFamily|SpinSymIngredients|SpinSymPreimage|SpinSymStandardRepresentative|SpinSymStandardRepresentativeImage|SpinUpCyclic|SpinnUpEchelonBase|SpinorNorm|Splash|Splash_sv|SplayDynamicTree|Splice|SpliceDynamicTree|SplitBNRewritingPresentation|SplitBooleanFunction|SplitCayleyHexagon|SplitCayleyPointToPlane|SplitCayleyPointToPlane5|SplitCell|SplitCellTestfun1|SplitCellTestfun2|SplitCharacters|SplitECores|SplitECoresOp|SplitExtension|SplitExtensionByAutomorphisms|SplitExtensionByAutomorphismsLpGroup|SplitExtensionCHR|SplitExtensionPcpGroup|SplitLinearMapAccordingToIndeterminates|SplitPolymakeOutputStringIntoBlocks|SplitRatFun|SplitSemisimple|SplitStep|SplitString|SplitStringInternal|SplitTwoSpace|SplitUpSublistsByFpFunc|SplitWithEscapeSequences|SplitWordTail|SplittedClass|SplittedClassTransposition|SplittingDegreeAtP|SplittingField|SpreadDirichletSeries|SptSetBarResolutionMap|SptSetBockstein|SptSetCoboundaryMap|SptSetCochainComplex|SptSetCochainComplexDerivative|SptSetCochainComplexModule|SptSetCochainModule|SptSetCoefficientU1|SptSetCoefficientZn|SptSetCohomology|SptSetCokernelModule|SptSetConstructBarResMap|SptSetCopyFpZModule|SptSetEmbedDimension|SptSetFpZModuleCanonicalElm|SptSetFpZModuleCanonicalForm|SptSetFpZModuleEPR|SptSetFpZModuleFromTorsions|SptSetFpZModuleIsCanonical|SptSetFpZModuleIsZero|SptSetFpZModuleIsZeroElm|SptSetFreeFpZModule|SptSetHomologyModule|SptSetInhomogeneousCocycle|SptSetInstallAddTwister|SptSetInstallCoboundary|SptSetKernelModule|SptSetMapEquivBarWord|SptSetMapFromBarCocycle|SptSetMapFromBarWord|SptSetMapToBarCocycle|SptSetMapToBarWord|SptSetNumberOfGenerators|SptSetPseudoInverseSpecialMat|SptSetPurifySpecSeqClass|SptSetShowCohomologyClass|SptSetSolveCocycleEq|SptSetSpecSeqBuildComponent|SptSetSpecSeqBuildComponent2|SptSetSpecSeqBuildDerivative|SptSetSpecSeqBuildDerivative2|SptSetSpecSeqClassFromCochainNC|SptSetSpecSeqClassFromLevelCocycle|SptSetSpecSeqClassType|SptSetSpecSeqClasses|SptSetSpecSeqCoboundary|SptSetSpecSeqCoboundarySL|SptSetSpecSeqCochain|SptSetSpecSeqCochainType|SptSetSpecSeqCochainZero|SptSetSpecSeqComponent|SptSetSpecSeqComponent2|SptSetSpecSeqComponent2Inf|SptSetSpecSeqComponentInf|SptSetSpecSeqDerivative|SptSetSpecSeqDerivative2|SptSetSpecSeqVanilla|SptSetStack|SptSetTrivialGroupAction|SptSetZLMapByImages|SptSetZLMapInverse|SptSetZLMapInverseMat|SptSetZeroMap|SptSetZeroModule|SpunAboutHyperplane|SpunKnotComplement|SpunLinkComplement|Sq|Sqroot|Sqrt|SqrtField|SqrtFieldEltByCoefficients|SqrtFieldEltByCyclotomic|SqrtFieldEltByRationalSqrt|SqrtFieldEltRealAndComplexPart|SqrtFieldEltToCyclotomic|SqrtFieldFam|SqrtFieldIsGaussRat|SqrtFieldMakeRational|SqrtFieldMinimalPolynomial|SqrtFieldPolynomialToRationalPolynomial|SqrtFieldRationalPolynomialToSqrtFieldPolynomial|SqrtFieldType|SqrtField_objectify|Square|SquareFreeGB|SquareGridGraph|SquareGridGraphCons|SquareLatticeGraph|SquareRootMod|SquareRoots|SquaresMod|SquaresModP|SrivastavaCode|Stab|StabChain|StabChainBaseStrongGenerators|StabChainByOrbType|StabChainForcePoint|StabChainImmutable|StabChainMutable|StabChainOp|StabChainOptions|StabChainPermGroupToPermGroupGeneralMappingByImages|StabChainRandomPermGroup|StabChainStrong|StabChainSwap|StabMC|StabWords|Stabiliser|StabiliserFunc|StabiliserFuncOp|StabiliserGroupOfSubspace|StabiliserOfBlockNC|StabiliserOfExternalSet|StabiliserPcgs|StabiliserVertex|Stabilizer|StabilizerAction|StabilizerByMatrixOperation|StabilizerChain|StabilizerChainFamily|StabilizerCongruenceAction|StabilizerFunc|StabilizerFuncOp|StabilizerImage|StabilizerInfo|StabilizerIntegralAction|StabilizerIrreducibleAction|StabilizerModPrime|StabilizerOfBlockNC|StabilizerOfCocycle|StabilizerOfExternalSet|StabilizerOfFirstLevel|StabilizerOfLevel|StabilizerOfLevelOp|StabilizerOfVertex|StabilizerOnSetsStandardSpaceGroup|StabilizerOp|StabilizerPcgs|StabilizerSubgroupXMod|StabilizingMatrixGroup|StableRank|StableSort|StableSortBy|StableSortParallel|Stack|StackFamily|StackType|StackTypeMutable|StackedBookGraph|StackedBookGraphCons|StackedPrismGraph|StackedPrismGraphCons|StackedRelations|StaircaseOfStability|StalkComplex|Standard2Cocycle|StandardAffineCrystGroup|StandardArray|StandardAssociate|StandardAssociateUnit|StandardBasisColumnVectors|StandardBasisRowVectors|StandardBenchmarks|StandardClassMatrixColumn|StandardCocycle|StandardConjugate|StandardDualityOfProjectiveSpace|StandardFlagOfCosetGeometry|StandardFormCode|StandardFrame|StandardGeneratorMorphism|StandardGeneratorsData|StandardGeneratorsFunctions|StandardGeneratorsImagesSubringSCRing|StandardGeneratorsInfo|StandardGeneratorsOfFullHomModule|StandardGeneratorsOfFullMatrixModule|StandardGeneratorsOfGroup|StandardGeneratorsSubringSCRing|StandardMatrix|StandardModule|StandardNCocycle|StandardPolarSpace|StandardPresentation|StandardRep|StandardRepresentation|StandardScalarProduct|StandardSubgroups|StandardTableauType|StandardTableaux|StandardTableauxOp|StandardTranslation|StandardWreathProduct|StandardiseWord|StandardizeTable|StandardizeTable2|StandardizeTable2C|StandardizeTableC|StandardizeWord|StandardizingConjugator|Star|StarClosureOfIdealOfNumericalSemigroup|StarCyc|StarFSA|StarGraph|StarGraphAttr|StarGraphCons|StarMethod|StarOfMapBetweenDecompProjectives|StarOfMapBetweenIndecProjectives|StarOfMapBetweenProjectives|StarOfModule|StarOfModuleHomomorphism|StarOp|StarRatExp|StartPosition|StartSCSCPsession|StartSingular|StartTimer|StartingForcedGapsForPseudoFrobenius|StartlineFunc|StartsWith|StartsetsInCoset|State|StateClosure|StateGrowth|StateSet|States|StatesFSA|StatesWords|StaticDictionary|StdGens|StdOrbitBySuborbitListType|StdOrbitBySuborbitsType|StdPresentation|StdSuborbitDatabasesType|SteinerLoop|SteinerSystemIntersectionTriangle|StemGroups|StepModGauss|StepSizeLiePRing|Stirling1|Stirling2|StopStoringRandEls|StopTimer|Store|StoreAlgExtFam|StoreAsRemoteObject|StoreAsRemoteObjectPerSession|StoreAsRemoteObjectPersistently|StoreAtlasTableOfContents|StoreExpMultFam|StoreFactorsAlgExtPol|StoreFactorsPol|StoreFusion|StoreInfoFreeMagma|StoreLenIn8Bytes|StoreNamesRWS|StoreSuborbit|StoredExcludedOrders|StoredGroebnerBasis|StoredPartialMaxSubs|StoredPermliftSeries|StoredPointsPerm|StoredStabilizerChain|StraightLineDecision|StraightLineDecisionNC|StraightLineDecisionsDefaultType|StraightLineDecisionsFamily|StraightLineProgElm|StraightLineProgElmType|StraightLineProgGens|StraightLineProgram|StraightLineProgramElmRankFilter|StraightLineProgramFromStraightLineDecision|StraightLineProgramNC|StraightLineProgramsDefaultType|StraightLineProgramsFamily|StraightLineProgramsTom|StratMeetPartition|StratifiedAperySetOfGoodSemigroup|StreamsFamily|StretchImportantSLPElement|StrichartzGroup|StrictBindOnce|StrictlyFullyDivideMatrixTrafo|String|StringAtlasContents|StringBase64|StringBenchResult|StringBibAsBib|StringBibAsHTML|StringBibAsMarkdown|StringBibAsText|StringBibAsXMLext|StringBibXMLEntry|StringByInt|StringCTblLibInfo|StringDate|StringDisplay|StringFactorizationWord|StringFamily|StringFile|StringFold|StringFormatted|StringFromBoundsInfo|StringHOMEPath|StringLC|StringMarkedGraphForStringMutable|StringMinHeap|StringMonomial|StringMutable|StringNumbers|StringOfAtlasProgramCycToCcls|StringOfAtlasTableOfContents|StringOfCambridgeFormat|StringOfMemoryAmount|StringOfMinimalRepresentationInfoData|StringOfResultOfLineOfStraightLineProgram|StringOfResultOfStraightLineProgram|StringOfUnivariateRationalPolynomialByCoefficients|StringPP|StringPartition|StringPrint|StringRWS|StringStandardTable|StringStreamInputTextFile|StringTime|StringToDoubleIntList|StringToElementStringList|StringToHomalgColumnMatrix|StringToInt|StringToIntList|StringToStraightLineProgram|StringToVec|StringToWord|StringUUID|StringUnivariateLaurent|StringUserPreference|StringUserPreferences|StringView|StringXMLElement|Strings|StringsAtlasMap|StringsLessThan|Strip|StripBeginEnd|StripEscapeSequences|StripIt|StripLPR|StripLineBreakCharacters|StripMemory|StripStabChain|StrongGenerators|StrongGeneratorsOfDerivedSubgroup|StrongGeneratorsOfDerivedSubgroup_alt|StrongGeneratorsStabChain|StrongLeftIdeals|StrongNormalFormNP|StrongNormalFormNPM|StrongNormalFormTraceDiff|StrongOrientation|StrongOrientationAttr|StrongProduct|StrongSemilatticeOfSemigroups|StrongShodaPairs|StrongShodaPairsAndIdempotents|StrongestValidRepresentationForLetter|StrongestValidRepresentationForWord|StronglyConnectedComponents|StructuralCopy|StructuralCopyOfFilteredRegularCWComplex|StructuralGroup|StructuralMonoid|StructuralSemigroup|StructuralSeriesOfGroup|StructureConstantsPadicNumbers|StructureConstantsTable|StructureDescription|StructureDescriptionCharacterTableName|StructureDescriptionForAbelianGroups|StructureDescriptionForFiniteGroups|StructureDescriptionForFiniteSimpleGroups|StructureDescriptionMaximalSubgroups|StructureDescriptionSchutzenbergerGroups|StructureGroup|StructureObject|StructureOfMVThresholdElement|StructureOfRealWeylGroup|StructureOfThresholdElement|StructurePartInTree|StzAddGenerator|StzAddRelation|StzAddRelationNC|StzIsomorphism|StzPresentation|StzPrintGenerators|StzPrintPresentation|StzPrintRelation|StzPrintRelations|StzRemoveGenerator|StzRemoveRelation|StzRemoveRelationNC|StzSimplifyOnce|StzSimplifyPresentation|StzSubstituteRelation|Sub2DimensionalDomain|Sub2DimensionalGroup|Sub2dAlgebra|Sub3DimensionalDomain|SubAdditiveFunctionNS|SubAlgebraModule|SubCat1Algebra|SubCat1Group|SubCat2Group|SubChainMorphism|SubCode|SubCrossedSquare|SubCycleSet|SubFLMLOR|SubFLMLORNC|SubFLMLORWithOne|SubFLMLORWithOneNC|SubFRMachine|SubGModLeadPos|SubHigherDimensionalDomain|SubLieRing|SubMorphisms|SubNearRing|SubNearRingBySubgroupNC|SubNearRings|SubPermAut|SubPreCat1Algebra|SubPreCat1Group|SubPreCat2Group|SubPreCrossedSquare|SubPreXMod|SubPreXModAlgebra|SubQuasiIsomorph|SubQuasiIsomorphism|SubRepresentation|SubRepresentationInclusion|SubResolution|SubSetAutomaton|SubSkewbrace|SubSyllables|SubXMod|SubXModAlgebra|SubadditiveGroup|SubadditiveGroupNC|SubadditiveMagma|SubadditiveMagmaNC|SubadditiveMagmaWithInverses|SubadditiveMagmaWithInversesNC|SubadditiveMagmaWithZero|SubadditiveMagmaWithZeroNC|Subalgebra|SubalgebraNC|SubalgebraOfClosedSet|SubalgebraWithOne|SubalgebraWithOneNC|SubalgebrasInclusion|SubautomatonWithStates|SubcategoryMembershipFunctionForGeneralizedMorphismCategoryByThreeArrows|SubcategoryMembershipTestFunctionForSerreQuotient|Subcomplex|Subdiagonal2DimensionalGroup|SubdigraphHomeomorphicToK23|SubdigraphHomeomorphicToK33|SubdigraphHomeomorphicToK4|SubdirProdPcGroups|SubdirectDiagonalPerms|SubdirectProduct|SubdirectProductInfo|SubdirectProductOp|SubdirectProductWithEmbeddings|SubdirectProductWithEmbeddingsInfo|SubdirectProductWithEmbeddingsOp|SubdirectProducts|SubdirectSubgroups|SubdivideCell|SubdomainByPieces|SubdomainWithObjects|Subfield|SubfieldNC|Subfields|SubgpConjSymmgp|SubgpMethodByNiceMonomorphism|SubgpMethodByNiceMonomorphismCollOther|Subgroup|Subgroup512Case1|Subgroup512Case2|Subgroup6178|Subgroup662|SubgroupByFittingFreeData|SubgroupByIgs|SubgroupByIgsAndIgs|SubgroupByPcgs|SubgroupByProperty|SubgroupBySubspace|SubgroupConditionAbove|SubgroupConditionAboveAux|SubgroupGenToInvAut|SubgroupGeneratorsCosetTable|SubgroupInclusion|SubgroupLpGroupByCosetTable|SubgroupMethodByNiceMonomorphism|SubgroupMethodByNiceMonomorphismCollColl|SubgroupMethodByNiceMonomorphismCollElm|SubgroupMethodByNiceMonomorphismCollOther|SubgroupNC|SubgroupOfKBMAGRewritingSystem|SubgroupOfWholeGroupByCosetTable|SubgroupOfWholeGroupByQuotientSubgroup|SubgroupProperty|SubgroupRWS|SubgroupRank|SubgroupShell|SubgroupUnitriangularPcpGroup|Subgroupoid|SubgroupoidByObjects|SubgroupoidByPieces|SubgroupoidBySubgroup|SubgroupoidWithRays|SubgroupoidWithRaysNC|SubgroupoidsOfGraphOfGroupoids|Subgroups|SubgroupsContainingCC|SubgroupsFirstLayerByIndex|SubgroupsGenByNielsenTuples|SubgroupsInfo|SubgroupsMethodByNiceMonomorphism|SubgroupsOfIndexTwo|SubgroupsOrbitsAndNormalisers|SubgroupsOrbitsAndNormalizers|SubgroupsSolubleGroup|SubgroupsSolvableGroup|SubgroupsTrivialFitting|SubgroupsUnipotentByAbelianByFinite|Subloop|Submagma|SubmagmaNC|SubmagmaWithInverses|SubmagmaWithInversesNC|SubmagmaWithObjectsByElementsTable|SubmagmaWithObjectsElementsTable|SubmagmaWithOne|SubmagmaWithOneNC|Submit|SubmitOutput|Submodule|SubmoduleAsModule|SubmoduleGeneratedByHomogeneousPart|SubmoduleGeneratedByHomogeneousPartEmbed|SubmoduleNC|Submonoid|SubmonoidNC|SubnearAdditiveGroup|SubnearAdditiveGroupNC|SubnearAdditiveMagma|SubnearAdditiveMagmaNC|SubnearAdditiveMagmaWithInverses|SubnearAdditiveMagmaWithInversesNC|SubnearAdditiveMagmaWithZero|SubnearAdditiveMagmaWithZeroNC|SubnormalSeries|SubnormalSeriesInParent|SubnormalSeriesOp|SuboLiBli|SuboSiBli|SuboTruePos|SuboUniteBlist|Subobject|SubobjectQuotient|SuborbitDatabase|SuborbitDatabasesFamily|Suborbits|SuborbitsDb|Subquasigroup|SubquasigroupNC|Subring|SubringNC|SubringWithOne|SubringWithOneNC|Subrings|SubsAndInvertDefn|SubsRecWord|SubsTom|SubsWord|SubsWordPlus|SubsectionInTree|Subsemigroup|SubsemigroupByProperty|SubsemigroupNC|Subsemiring|SubsemiringNC|SubsemiringWithOne|SubsemiringWithOneAndZero|SubsemiringWithOneAndZeroNC|SubsemiringWithOneNC|SubsemiringWithZero|SubsemiringWithZeroNC|Subspace|SubspaceBasisRepsByDegree|SubspaceByEngelLaw|SubspaceByExponentLaw|SubspaceByPILaw|SubspaceCanonicalForm|SubspaceDimensionDegree|SubspaceListFromWord|SubspaceListFromWordNC|SubspaceListFromWordNC_LargeGroupRep|SubspaceListFromWord_LargeGroupRep|SubspaceNC|SubspaceVectorSpaceGroup|Subspaces|SubstituteDef|SubstituteEscapeSequences|SubstitutedListFSA|SubstitutedWord|SubstitutionSublist|SubstringClosure|SubtractBlist|SubtractBlistOrbitStabChain|SubtractIdealsOfNumericalSemigroup|SubtractSet|SubtractTailVectors|SubtractionForMorphisms|Subtype|Subword|Success|SuccessivePreimages|Successors|Sudoku|SufficientlySmallDegreeSimpleGroupOrder|SuffixTreeEdgeStartingAt|SuggestTuple|SuggestUpgrades|SuitableAutomorphismsForReduction|SuitablePariExecutable|SuitablePrimitiveElementCheck|SuitablePrimitiveElementOfMatrixField|Sum|SumAut|SumCoefPolynomial|SumCoefRatfun|SumCoeffLaurpol|SumCoeffUnivfunc|SumCoefficientsOfLaurentPolynomials|SumFactorizationFunctionPcgs|SumIdealsOfAffineSemigroup|SumIdealsOfNumericalSemigroup|SumIntersectionMat|SumIntersectionMatCMat|SumMat|SumOfFpGModules|SumOfMBMAndMapping|SumOfMappingAndMBM|SumOfPcElement|SumOfSubmodules|SumOfTwoIdeals|SumOp|SumPcgs|SumRootsPol|SumRootsPolComp|SumSCT|SumX|SumXHelp|SumXHelp0|SumXHelp1|SumXHelp2|SummandMolienSeries|SunicGroup|SunicMachine|Sup|SupType|SuperDomain|SuperObject|SuperPermknAutomaton|Superlattices|SupersemigroupOfIdeal|SupersolubleGroups|SupersolubleProjector|SupersolvableGroups|SupersolvableProjector|SupersolvableResiduum|SupersolvableResiduumDefault|SupplementClassesCR|Support|SupportModuleElement|SupportOfChainMorphism|SupportOfComplex|SupportOfFormation|SupportToCodeword|SupportedCharacterTableInfo|SupportedLibraryTableComponents|SuppressOpenMathReferences|SupremumIdempotentsNC|SurfaceBraidFpGroup|SurjectiveActionHomomorphismAttr|SuspendMethodReordering|SuspendedChainComplex|SuspensionOfPureCubicalComplex|SuzukiGroup|SuzukiGroupCons|Swap|SwapCoordsFSA|SwapMatrixColumns|SwapMatrixRows|Swapped|SwitchGeneralizedMorphismStandard|SwitchGeneralizedMorphismStandardHARDCODE|SwitchSCSCPmodeToBinary|SwitchSCSCPmodeToXML|SwitchedGraph|SyllableRepAssocWord|SyllableWordObjByExtRep|SylowComplement|SylowComplementOp|SylowSubgroup|SylowSubgroupGL|SylowSubgroupOfCatOneGroup|SylowSubgroupOfNilpotentMatGroupFF|SylowSubgroupOp|SylowSubgroupPermGroup|SylowSubgroups|SylowSubgroupsOfNilpotentFFMatGroup|SylowSystem|SylowViaRadical|SylvesterMat|SymAdic|Symbols|SymmetricAlgebra|SymmetricAlgebraFromSyzygiesObject|SymmetricCentre|SymmetricClosureBinaryRelation|SymmetricCommutativityGroup|SymmetricDegree|SymmetricGroup|SymmetricGroupCons|SymmetricInverseMonoid|SymmetricInverseSemigroup|SymmetricMatDisplay|SymmetricMatrixOfUnitForm|SymmetricMatrixToFilteredGraph|SymmetricMatrixToGraph|SymmetricMatrixToIncidenceMatrix|SymmetricParentGroup|SymmetricParts|SymmetricPower|SymmetricPowerBaseModule|SymmetricPowerExponent|SymmetricPowerOfAlgebraModule|SymmetricPowerOfPresentationMorphism|SymmetricPowers|Symmetrisations|Symmetrizations|SymplecticComponents|SymplecticGroup|SymplecticGroupCons|SymplecticSpace|SynchronizeProcesses|SynchronizeProcesses2|SynchronizeProcessesN|Syndrome|SyndromeTable|SyntacticSemigroupAut|SyntacticSemigroupLang|SyntaxTree|SyntaxTreeType|SystemNormalizer|SyzygiesBasisOfColumns|SyzygiesBasisOfRows|SyzygiesGenerators|SyzygiesGeneratorsOfColumns|SyzygiesGeneratorsOfRows|SyzygiesObject|SyzygiesObjectEmb|SyzygiesObjectEpi|SyzygiesOfColumns|SyzygiesOfRows|Syzygy|SyzygyCosyzygyTruncation|SyzygyCriterion|SyzygyTruncation|Sz|TABLE_TYPE_MTC|TABLE_TYPE_RRS|TANH_MACFLOAT|TANH_MPFR|TAN_MACFLOAT|TAN_MPFR|TCENUM|TC_QUICK_SCAN|TCodeDecoder|TCodeDecoderNC|TDesignBlockMultiplicityBound|TDesignFromTBD|TDesignIntersectionTriangle|TDesignLambdaMin|TDesignLambdas|TEACHMODE|TENSOR|TEST|TESTER_FILTER|TEXTMTRANSLATIONS|TFCanonicalClassRepresentative|TFDepthLeadExp|TFEvalRFHom|TFMakeInducedPcgsModulo|TFNormalClosure|TFSubgroupMembership|TGS|THELMA_INTERNAL_ActionOnVector|THELMA_INTERNAL_BFtoGF|THELMA_INTERNAL_BooleanFunctionByNeuralNetworkDASG|THELMA_INTERNAL_BuildFMatU|THELMA_INTERNAL_BuildH|THELMA_INTERNAL_BuildInverseToleranceMatrix|THELMA_INTERNAL_BuildToleranceMatrix|THELMA_INTERNAL_BuildUSet|THELMA_INTERNAL_CharG|THELMA_INTERNAL_CharTable|THELMA_INTERNAL_CharVectSet|THELMA_INTERNAL_CharacterOfGroup|THELMA_INTERNAL_CheckZeroMat|THELMA_INTERNAL_Conjunction|THELMA_INTERNAL_ConvertDecToBin|THELMA_INTERNAL_DecToBin|THELMA_INTERNAL_Disjunction|THELMA_INTERNAL_FSign|THELMA_INTERNAL_FindFunctionFromKernel|THELMA_INTERNAL_FindMaxSet|THELMA_INTERNAL_FindMaxSet2|THELMA_INTERNAL_FindPrecedingVectors|THELMA_INTERNAL_FindSolMat|THELMA_INTERNAL_FindWeights|THELMA_INTERNAL_FormNList|THELMA_INTERNAL_FormNList2|THELMA_INTERNAL_FormVectR|THELMA_INTERNAL_GetBMultBase|THELMA_INTERNAL_InfluenceOfVariable|THELMA_INTERNAL_IsLinIndependent|THELMA_INTERNAL_IsRlzbl|THELMA_INTERNAL_IsUnateAndInfluenceInVar|THELMA_INTERNAL_IsUnateBFunc|THELMA_INTERNAL_IsUnateInVar|THELMA_INTERNAL_MappingBoolToInt|THELMA_INTERNAL_PIndex|THELMA_INTERNAL_PolToGF2|THELMA_INTERNAL_PolToOneZero|THELMA_INTERNAL_QMat|THELMA_INTERNAL_STESynthesis|THELMA_INTERNAL_SelfDualExtensionOfBooleanFunction|THELMA_INTERNAL_SignR|THELMA_INTERNAL_SimplifyVector|THELMA_INTERNAL_SolveZW|THELMA_INTERNAL_SortCols|THELMA_INTERNAL_SortRows|THELMA_INTERNAL_SplitBooleanFunction|THELMA_INTERNAL_ThrBatchTr|THELMA_INTERNAL_ThrTr|THELMA_INTERNAL_ThresholdOperator2|THELMA_INTERNAL_ThresholdOperator3G|THELMA_INTERNAL_ThresholdOperator4|THELMA_INTERNAL_ThresholdOperator41|THELMA_INTERNAL_VectorToFormula|THELMA_INTERNAL_Winnow|THELMA_INTERNAL_Winnow2|THINNEDALGEBRAWITHONE@FR|THREAD_UI|THeapOT|THeapOTFam|THeapOTType|TNAM_OBJ|TNUM_OBJ|TOCEntryStringDefault|TODOLIST_ADD_TO_RECORD_AT_POSITION|TODOLIST_WEAK_POINTER_RECOVER|TODOLIST_WEAK_POINTER_REPLACE|TODO_LISTS|TODO_LIST_ENTRIES|TOKENIZE_INPUT_JUDGEMENT|TOOLS_FOR_HOMALG_CACHE_CLEAN_UP|TOOLS_FOR_HOMALG_CACHE_INSTALL_VIEW|TOOLS_FOR_HOMALG_CREATE_NODE_INPUT|TOOLS_FOR_HOMALG_ELM_OBJ|TOOLS_FOR_HOMALG_GET_REAL_TIME_OF_FUNCTION_CALL|TOOLS_FOR_HOMALG_INTERNAL_TIMERS|TOOLS_FOR_HOMALG_ISBOUND_OBJ|TOOLS_FOR_HOMALG_LENGTH_OBJ|TOOLS_FOR_HOMALG_SAVED_CACHES_FROM_INSTALL_METHOD_WITH_CACHE|TOOLS_FOR_HOMALG_SET_CACHE_PROPERTY|TOOLS_FOR_HOMALG_STORE_CACHES|TOOLS_FOR_HOMALG_UNBIND_OBJ|TOOLS_FOR_HOMALG_WEAK_POINTER_TERMINATOR|TOPELEMENTPERM@FR|TOP_HTML|TORIC|TORSIONLIMITSTATES@FR|TORSIONNUCLEUS@FR|TORSIONSTATES@FR|TOTALDEGREE@FR|TOTAL_GC_TIME|TO_ACE_GENS|TO_COMPARE|TRACE_IMMEDIATE_METHODS|TRACE_METHODS|TRANSARRCACHE|TRANSATL|TRANSAVAILABLE|TRANSCOMBCACHE|TRANSDEGREES|TRANSGRP|TRANSGrp|TRANSLENGTHS|TRANSMINIMALS|TRANSMONOID@FR|TRANSNONDISCRIM|TRANSPARTNUM|TRANSPOSED_GF2MAT|TRANSPOSED_MAT8BIT|TRANSPROPERTIES|TRANSProperties|TRANSREGION|TRANSSELECT|TRANSSHAPEFREQS|TRANSSIZES|TRANS_AVAILABLE|TRANS_IMG_CONJ|TRANS_IMG_KER_NC|TRIANGULIZE_LIST_GF2VECS|TRIANGULIZE_LIST_VEC8BITS|TRIM_PERM|TRIM_PPERM|TRIM_TRANS|TRIVIAL_FP_GROUP|TRIVIAL_PQ_GROUP|TRUES_FLAGS|TRUNC_MPFR|TRY_GCD_CANCEL_EXTREP_POL|TRY_NEXT_METHOD|TR_PRIMARY|TR_TREELAST|TR_TREELENGTH|TR_TREENUMS|TR_TREEPOINTERS|TSubsetLambdasVector|TSubsetStructure|TTEESSTTXXGGAAPP|TWGroup|TYPES_BIPART|TYPES_MAT8BIT|TYPES_PBR|TYPES_STRING|TYPES_VEC8BIT|TYPE_APPLICATION|TYPE_APPLICATION_END|TYPE_ATTRIBUTION|TYPE_ATTRIBUTION_END|TYPE_ATTRPAIRS|TYPE_ATTRPAIRS_END|TYPE_BINDING|TYPE_BINDING_END|TYPE_BIPART|TYPE_BLIST_EMPTY_IMM|TYPE_BLIST_EMPTY_MUT|TYPE_BLIST_IMM|TYPE_BLIST_MUT|TYPE_BLIST_NSORT_IMM|TYPE_BLIST_NSORT_MUT|TYPE_BLIST_SSORT_IMM|TYPE_BLIST_SSORT_MUT|TYPE_BOOL|TYPE_BVARS|TYPE_BVARS_END|TYPE_BYTES|TYPE_CDBASE|TYPE_CHAR|TYPE_CYC|TYPE_ERROR|TYPE_ERROR_END|TYPE_EXPR_TREE|TYPE_FFE|TYPE_FFE0|TYPE_FIELDINFO_8BIT|TYPE_FLAGS|TYPE_FOREIGN|TYPE_FUNCTION|TYPE_FUNCTION_WITH_NAME|TYPE_INT_BIG|TYPE_INT_LARGE_NEG|TYPE_INT_LARGE_POS|TYPE_INT_SMALL|TYPE_INT_SMALL_NEG|TYPE_INT_SMALL_POS|TYPE_INT_SMALL_ZERO|TYPE_KERNEL_OBJECT|TYPE_LIST_DENSE_NHOM_IMMUTABLE|TYPE_LIST_DENSE_NHOM_MUTABLE|TYPE_LIST_DENSE_NHOM_NSORT_IMMUTABLE|TYPE_LIST_DENSE_NHOM_NSORT_MUTABLE|TYPE_LIST_DENSE_NHOM_SSORT_IMMUTABLE|TYPE_LIST_DENSE_NHOM_SSORT_MUTABLE|TYPE_LIST_EMPTY_IMMUTABLE|TYPE_LIST_EMPTY_MUTABLE|TYPE_LIST_GF2MAT|TYPE_LIST_GF2MAT_IMM|TYPE_LIST_GF2VEC|TYPE_LIST_GF2VEC_IMM|TYPE_LIST_GF2VEC_IMM_LOCKED|TYPE_LIST_GF2VEC_LOCKED|TYPE_LIST_HOM|TYPE_LIST_NDENSE_IMMUTABLE|TYPE_LIST_NDENSE_MUTABLE|TYPE_LIST_PERIODIC|TYPE_LOWINDEX_DATA|TYPE_LVARS|TYPE_MACFLOAT|TYPE_MASK|TYPE_MAT8BIT|TYPE_MPFR|TYPE_OBJ|TYPE_OBJECT|TYPE_OBJECT_END|TYPE_OBJMAP|TYPE_OBJSET|TYPE_OMFLOAT|TYPE_OPERATION|TYPE_OPERATION_WITH_NAME|TYPE_PBR|TYPE_PERM2|TYPE_PERM4|TYPE_PPERM2|TYPE_PPERM4|TYPE_PREC_IMMUTABLE|TYPE_PREC_MUTABLE|TYPE_RANGE_NSORT_IMMUTABLE|TYPE_RANGE_NSORT_MUTABLE|TYPE_RANGE_SSORT_IMMUTABLE|TYPE_RANGE_SSORT_MUTABLE|TYPE_RAT_NEG|TYPE_RAT_POS|TYPE_REFERENCE_EXT|TYPE_REFERENCE_INT|TYPE_STRING_ISO|TYPE_STRING_UTF|TYPE_SYMBOL|TYPE_TRANS2|TYPE_TRANS4|TYPE_VARIABLE|TYPE_VEC8BIT|TYPE_VEC8BIT_LOCKED|TYPE_WPOBJ|TZ_FLAGS|TZ_FREEGENS|TZ_GENERATORS|TZ_INVERSES|TZ_LENGTHS|TZ_LENGTHTIETZE|TZ_MODIFIED|TZ_NUMGENS|TZ_NUMREDUNDS|TZ_NUMRELS|TZ_OCCUR|TZ_RELATORS|TZ_STATUS|TZ_TOTAL|T_BLIST|T_BLIST_NSORT|T_BLIST_SSORT|T_BODY|T_BOOL|T_CHAR|T_COMOBJ|T_COPYING|T_CYC|T_DATOBJ|T_FFE|T_FLAGS|T_FUNCTION|T_HVARS|T_INT|T_INTNEG|T_INTPOS|T_LVARS|T_MACFLOAT|T_OBJMAP|T_OBJSET|T_PERM2|T_PERM4|T_PLIST|T_PLIST_CYC|T_PLIST_CYC_NSORT|T_PLIST_CYC_SSORT|T_PLIST_DENSE|T_PLIST_DENSE_NHOM|T_PLIST_DENSE_NHOM_NSORT|T_PLIST_DENSE_NHOM_SSORT|T_PLIST_EMPTY|T_PLIST_FFE|T_PLIST_HOM|T_PLIST_HOM_NSORT|T_PLIST_HOM_SSORT|T_PLIST_NDENSE|T_PLIST_TAB|T_PLIST_TAB_NSORT|T_PLIST_TAB_RECT|T_PLIST_TAB_RECT_NSORT|T_PLIST_TAB_RECT_SSORT|T_PLIST_TAB_SSORT|T_POSOBJ|T_PPERM2|T_PPERM4|T_PREC|T_RANGE_NSORT|T_RANGE_SSORT|T_RAT|T_STRING|T_STRING_NSORT|T_STRING_SSORT|T_TRANS2|T_TRANS4|T_WPOBJ|Table2YB|TableAutomorphisms|TableByBasis|TableByWeightedBasis|TableByWeightedBasisOfRad|TableHasIntKeyFun|TableOfMarks|TableOfMarksByLattice|TableOfMarksComponents|TableOfMarksCyclic|TableOfMarksDihedral|TableOfMarksFamily|TableOfMarksFrobenius|TableOfMarksFromLibrary|TableRowForCat1Groups|TableRowForCat2Groups|TableRowXMod|TableYB|Tableau|TableauFamily|TableauOp|TableauType|TadpoleGraph|TadpoleGraphCons|TailLimit|TailMap|TailOfArrow|TailOfElm|TailOfGraphOfGroupsWord|TailOfPcgsPermGroup|TailsInverses|TailsPos|TailsTable|Take@RepnDecomp|TameDegree|TameDegreeOfAffineSemigroup|TameDegreeOfElementInNumericalSemigroup|TameDegreeOfNumericalSemigroup|TameDegreeOfSetOfFactorizations|Tan|TangentSpace|TangentSpaceByEquationsAtPoint|Tanh|Target|TargetDFA|TargetOfArrow|TargetOfPath|TargetOperation|TargetPart|TargetVertex|TargetsFSA|TaskResult|TateResolution|Tau|TauGroup|TauGroupFamily|TauGroupType|TauOfComplex|TaylorSeriesRationalFunction|TeX|TeXObj|TeachingMode|TelescopicNumericalSemigroupsWithFrobeniusNumber|TemperleyLiebMonoid|TemplateBibXML|TemporaryFailure|TemporaryGlobalVarName|TensorAction|TensorAlgebraInclusion|TensorAndReduce|TensorCentre|TensorNonFreeResolutionWithRationals|TensorPower|TensorProduct|TensorProductDecomposition|TensorProductDualityCompatibilityMorphism|TensorProductDualityCompatibilityMorphismWithGivenObjects|TensorProductGModule|TensorProductInternalHomCompatibilityMorphism|TensorProductInternalHomCompatibilityMorphismInverse|TensorProductInternalHomCompatibilityMorphismInverseWithGivenObjects|TensorProductInternalHomCompatibilityMorphismWithGivenObjects|TensorProductOfAlgebraModules|TensorProductOfAlgebras|TensorProductOfChainComplexes|TensorProductOfMatrices|TensorProductOfMatricesFamily|TensorProductOfMatricesObj|TensorProductOfModules|TensorProductOfPathAlgebras|TensorProductOfRepresentations|TensorProductOnMorphisms|TensorProductOnMorphismsWithGivenTensorProducts|TensorProductOnObjects|TensorProductOp|TensorProductRepLists|TensorProductToInternalCoHomAdjunctionMap|TensorProductToInternalHomAdjunctionMap|TensorSum|TensorSumOp|TensorUnit|TensorWithBurnsideRing|TensorWithComplexRepresentationRing|TensorWithComplexRepresentationRingOnRight|TensorWithField|TensorWithIntegers|TensorWithIntegersModP|TensorWithIntegersModPSparse|TensorWithIntegersOverSubgroup|TensorWithIntegersSparse|TensorWithIntegralModule|TensorWithRationals|TensorWithTwistedIntegers|TensorWithTwistedIntegersModP|TensorWreathProduct|Tensored|TermOrdering|TerminalArrow|TerminalObject|TerminalObjectFunctorial|TerminalObjectFunctorialWithGivenTerminalObjects|TerminateAllCAS|TerminateCAS|TerminateProcess|Terms|TermsOfPolynomial|TernaryGolayCode|Test|TestAllProductsUnderGroupoidHomomorphism|TestAutomatic|TestBindOnce|TestCPCSOfGroupByFieldElements|TestCPCSOfGroupByFieldElements2|TestCPCSOfGroupByFieldElementsPol|TestCanoForm|TestCanoForms|TestCodimConjecture|TestConsistencyMaps|TestDirectory|TestExamplesString|TestExpVectorOfGroupByFieldElements|TestFlag|TestHap|TestHapBook|TestHomogeneous|TestIdentityAction|TestInducedFromNormalSubgroup|TestIrred|TestJacobi|TestManualExamples|TestMembership|TestModulesFitTogether|TestMonomial|TestMonomialFromLattice|TestMonomialQuick|TestMonomialUseLattice|TestPOL_PreImagesPcsI_p_G|TestPOL_SetPcPresentation|TestPackage|TestPackageAvailability|TestPerm1|TestPerm2|TestPerm3|TestPerm4|TestPerm5|TestQuasiPrimitive|TestRelativelySM|TestRelativelySMFun|TestRow|TestSelfSimilarity|TestSignatureCyclicFactorGroup|TestSignatureLargeIndex|TestSignatureRelative|TestSubnormallyMonomial|TestSubspaceCanoForm|TestVectorCanoForm|TestedSignatures|TestedSignaturesRelative|Tester|TexString|TextAttr|TextM|TextString|TheFamilyOfAttributeDependencyGraphsForPrinting|TheFamilyOfAttributeDependencyGraphsForPrintingNodes|TheFamilyOfCachingObjects|TheFamilyOfCapCategories|TheFamilyOfCapCategoryMorphisms|TheFamilyOfCapCategoryObjects|TheFamilyOfCapCategoryTwoCells|TheFamilyOfCombinatorialPolynomials|TheFamilyOfContainersForPointers|TheFamilyOfContainersForWeakPointers|TheFamilyOfContainersForWeakPointersOfIdentityMatrices|TheFamilyOfContainersForWeakPointersOnHomalgExternalObjects|TheFamilyOfContainersForWeakPointersOnHomalgExternalRings|TheFamilyOfDerivationGraphs|TheFamilyOfDerivations|TheFamilyOfDocumentationTreeNodes|TheFamilyOfDocumentationTrees|TheFamilyOfHomalgBicomplexes|TheFamilyOfHomalgBigradedObjectes|TheFamilyOfHomalgCategories|TheFamilyOfHomalgChainMorphisms|TheFamilyOfHomalgComplexes|TheFamilyOfHomalgDiagrams|TheFamilyOfHomalgExternalObjects|TheFamilyOfHomalgFiltrations|TheFamilyOfHomalgFunctors|TheFamilyOfHomalgGenerators|TheFamilyOfHomalgGradedMaps|TheFamilyOfHomalgGradedModules|TheFamilyOfHomalgGradedRings|TheFamilyOfHomalgMaps|TheFamilyOfHomalgMatrices|TheFamilyOfHomalgModuleElements|TheFamilyOfHomalgModules|TheFamilyOfHomalgRelations|TheFamilyOfHomalgRingElements|TheFamilyOfHomalgRingMaps|TheFamilyOfHomalgRingRelations|TheFamilyOfHomalgRings|TheFamilyOfHomalgSetOfDegreesOfGenerators|TheFamilyOfHomalgSetsOfGenerators|TheFamilyOfHomalgSetsOfRelations|TheFamilyOfHomalgSpectralSequencees|TheFamilyOfHomalgTables|TheFamilyOfInternalMatrixHulls|TheFamilyOfListsWithAttributes|TheFamilyOfOperationWeightLists|TheFamilyOfOrbifoldTriangulations|TheFamilyOfPosets|TheFamilyOfSerreQuotientSubcategoryFunctionHandler|TheFamilyOfSparseMatrices|TheFamilyOfSptSetBarResMaps|TheFamilyOfSptSetCochainComplexes|TheFamilyOfSptSetCoefficients|TheFamilyOfSptSetFpZModules|TheFamilyOfSptSetSpecSeqs|TheFamilyOfSptSetZLMaps|TheFamilyOfStatisticsObjects|TheFamilyOfStringMinHeaps|TheFamilyOfToDoListEntries|TheFamilyOfToDoListWeakPointers|TheFamilyOfToDoLists|TheFamilyOfTrees|TheIdentityMorphism|TheMorphismToZero|TheTypeAttributeDependencyGraphForPrinting|TheTypeAttributeDependencyGraphForPrintingNode|TheTypeAttributeDependencyGraphForPrintingNodeConjunction|TheTypeAttributeDependencyGraphForPrintingNodeWithFunction|TheTypeBettiTable|TheTypeCategoryOfFinitelyPresentedGradedLeftModules|TheTypeCategoryOfFinitelyPresentedGradedRightModules|TheTypeCategoryOfFinitelyPresentedLeftModules|TheTypeCategoryOfFinitelyPresentedRightModules|TheTypeChernCharacter|TheTypeChernPolynomialWithRank|TheTypeContainerForPointers|TheTypeContainerForPointersOnComputedValues|TheTypeContainerForPointersOnContainers|TheTypeContainerForPointersOnObjects|TheTypeContainerForWeakPointers|TheTypeContainerForWeakPointersOnComputedValues|TheTypeContainerForWeakPointersOnComputedValuesOfFunctor|TheTypeContainerForWeakPointersOnContainers|TheTypeContainerForWeakPointersOnHomalgExternalObjects|TheTypeContainerForWeakPointersOnHomalgExternalRings|TheTypeContainerForWeakPointersOnIdentityMatrices|TheTypeContainerForWeakPointersOnObjects|TheTypeElementOfGrothendieckGroupOfProjectiveSpace|TheTypeElementOfHomalgFakeLocalRing|TheTypeHigherHomalgBigradedObjectAssociatedToABicomplexOfLeftObjects|TheTypeHigherHomalgBigradedObjectAssociatedToABicomplexOfRightObjects|TheTypeHomalgAscendingFiltrationOfLeftObject|TheTypeHomalgAscendingFiltrationOfRightObject|TheTypeHomalgBicocomplexOfLeftObjects|TheTypeHomalgBicocomplexOfRightObjects|TheTypeHomalgBicomplexOfLeftObjects|TheTypeHomalgBicomplexOfRightObjects|TheTypeHomalgChainEndomorphismOfLeftObjects|TheTypeHomalgChainEndomorphismOfRightObjects|TheTypeHomalgChainMorphismOfLeftObjects|TheTypeHomalgChainMorphismOfRightObjects|TheTypeHomalgCochainEndomorphismOfLeftObjects|TheTypeHomalgCochainEndomorphismOfRightObjects|TheTypeHomalgCochainMorphismOfLeftObjects|TheTypeHomalgCochainMorphismOfRightObjects|TheTypeHomalgCocomplexOfLeftObjects|TheTypeHomalgCocomplexOfRightObjects|TheTypeHomalgComplexOfLeftObjects|TheTypeHomalgComplexOfRightObjects|TheTypeHomalgDescendingFiltrationOfLeftObject|TheTypeHomalgDescendingFiltrationOfRightObject|TheTypeHomalgExternalMatrix|TheTypeHomalgExternalObject|TheTypeHomalgExternalRing|TheTypeHomalgExternalRingElement|TheTypeHomalgExternalRingInGAP|TheTypeHomalgExternalRingInMAGMA|TheTypeHomalgExternalRingInMacaulay2|TheTypeHomalgExternalRingInMaple|TheTypeHomalgExternalRingInOscar|TheTypeHomalgExternalRingInSage|TheTypeHomalgExternalRingInSingular|TheTypeHomalgExternalRingObjectInGAP|TheTypeHomalgExternalRingObjectInMAGMA|TheTypeHomalgExternalRingObjectInMacaulay2|TheTypeHomalgExternalRingObjectInMapleUsingInvolutive|TheTypeHomalgExternalRingObjectInMapleUsingJanet|TheTypeHomalgExternalRingObjectInMapleUsingJanetOre|TheTypeHomalgExternalRingObjectInMapleUsingOreModules|TheTypeHomalgExternalRingObjectInMapleUsingPIR|TheTypeHomalgExternalRingObjectInOscar|TheTypeHomalgExternalRingObjectInSage|TheTypeHomalgExternalRingObjectInSingular|TheTypeHomalgFakeLocalRing|TheTypeHomalgFunctor|TheTypeHomalgGeneratorsOfFinitelyGeneratedLeftModule|TheTypeHomalgGeneratorsOfFinitelyGeneratedRightModule|TheTypeHomalgGeneratorsOfLeftModule|TheTypeHomalgGeneratorsOfRightModule|TheTypeHomalgGradedLeftModule|TheTypeHomalgGradedRightModule|TheTypeHomalgGradedRing|TheTypeHomalgGradedRingElement|TheTypeHomalgInternalMatrix|TheTypeHomalgInternalRing|TheTypeHomalgLeftFinitelyGeneratedSubmodule|TheTypeHomalgLeftFinitelyPresentedModule|TheTypeHomalgLeftGradedSubmodule|TheTypeHomalgLocalMatrix|TheTypeHomalgLocalRing|TheTypeHomalgLocalRingElement|TheTypeHomalgMapOfGradedLeftModules|TheTypeHomalgMapOfGradedRightModules|TheTypeHomalgMapOfLeftModules|TheTypeHomalgMapOfRightModules|TheTypeHomalgMatrixOverGradedRing|TheTypeHomalgModuleElement|TheTypeHomalgRelationsOfLeftModule|TheTypeHomalgRelationsOfRightModule|TheTypeHomalgResidueClassMatrix|TheTypeHomalgResidueClassRing|TheTypeHomalgResidueClassRingElement|TheTypeHomalgRightFinitelyGeneratedSubmodule|TheTypeHomalgRightFinitelyPresentedModule|TheTypeHomalgRightGradedSubmodule|TheTypeHomalgRingMap|TheTypeHomalgRingRelationsAsGeneratorsOfLeftIdeal|TheTypeHomalgRingRelationsAsGeneratorsOfRightIdeal|TheTypeHomalgRingSelfMap|TheTypeHomalgSelfMapOfGradedLeftModules|TheTypeHomalgSelfMapOfGradedRightModules|TheTypeHomalgSelfMapOfLeftModules|TheTypeHomalgSelfMapOfRightModules|TheTypeHomalgSetOfDegreesOfGenerators|TheTypeHomalgSetsOfGenerators|TheTypeHomalgSetsOfRelations|TheTypeHomalgSpectralCosequenceAssociatedToABicomplexOfLeftObjects|TheTypeHomalgSpectralCosequenceAssociatedToABicomplexOfRightObjects|TheTypeHomalgSpectralSequenceAssociatedToABicomplexOfLeftObjects|TheTypeHomalgSpectralSequenceAssociatedToABicomplexOfRightObjects|TheTypeHomalgTable|TheTypeInternalMatrixHull|TheTypeListWithAttributesRep|TheTypeMatrixOverHomalgFakeLocalRing|TheTypeNormalizCone|TheTypeOfCachingObjects|TheTypeOfCapCategories|TheTypeOfCapCategoriesAsCatObjects|TheTypeOfCapCategoryMorphisms|TheTypeOfCapCategoryObjects|TheTypeOfCapCategoryProductMorphisms|TheTypeOfCapCategoryProductObjects|TheTypeOfCapCategoryProductTwoCells|TheTypeOfCapCategoryTwoCells|TheTypeOfCapFunctors|TheTypeOfCapNaturalTransformations|TheTypeOfCapTerminalCategoryMorphism|TheTypeOfCapTerminalCategoryObject|TheTypeOfDocumentationTreeChunkNodes|TheTypeOfDocumentationTreeExampleNodes|TheTypeOfDocumentationTreeNodes|TheTypeOfDocumentationTreeNodesForChapter|TheTypeOfDocumentationTreeNodesForGroup|TheTypeOfDocumentationTreeNodesForManItem|TheTypeOfDocumentationTreeNodesForSection|TheTypeOfDocumentationTreeNodesForSubsection|TheTypeOfDocumentationTreeNodesForText|TheTypeOfDocumentationTrees|TheTypeOfSerreQuotientSubcategoryFunctionHandler|TheTypeOrbifoldTriangulation|TheTypePolynomialModuloSomePower|TheTypePoset|TheTypeSparseMatrix|TheTypeSparseMatrixGF2|TheTypeSptSetBarResMapDebug|TheTypeSptSetBarResMapHap|TheTypeSptSetBarResMapMine|TheTypeSptSetCochainComplex|TheTypeSptSetCoeffU1|TheTypeSptSetCoeffZn|TheTypeSptSetFpZModule|TheTypeSptSetVanillaSpecSeq|TheTypeSptSetZLMap|TheTypeSptSetZLMapZero|TheTypeStatisticsObject|TheTypeStatisticsObjectForStreams|TheTypeTBlocksObj|TheTypeTGapBind14Obj|TheTypeToDoList|TheTypeToDoListEntryForEqualProperties|TheTypeToDoListEntryForEquivalentProperties|TheTypeToDoListEntryMadeFromOtherToDoListEntries|TheTypeToDoListEntryWithContraposition|TheTypeToDoListEntryWithListOfSources|TheTypeToDoListEntryWithPointers|TheTypeToDoListEntryWithWeakPointers|TheTypeToDoListWeakPointer|TheTypeToDoListWhichLaunchesAFunction|TheTypeTree|TheTypeZerothHomalgBigradedObjectAssociatedToABicomplexOfLeftObjects|TheTypeZerothHomalgBigradedObjectAssociatedToABicomplexOfRightObjects|TheZeroElement|TheZeroMorphism|TheoremRecord|ThetaInvolution|ThickenedHEPureCubicalComplex|ThickenedPureComplex|ThickenedPureCubicalComplex|ThickenedPureCubicalComplex_dim2|ThickeningFiltration|ThinnedAlgebra|ThinnedAlgebraWithOne|ThirdHomotopyGroupOfSuspensionB|ThirdHomotopyGroupOfSuspensionB_alt|ThirdQuandleAxiomIsSatisfied|ThreadLocalRecord|ThreadVar|ThreeManifoldViaDehnSurgery|ThreeXP1_PPGV31|ThreeX_PPGV31|ThresholdElement|ThresholdElementBatchTraining|ThresholdElementTraining|ThresholdNTPMatrix|ThresholdTropicalMatrix|TietzeBackwardMap|TietzeForwardMap|TietzeForwardMapReplaceSubword|TietzeOrigin|TietzeReducedResolution|TietzeReduction|TietzeWordAbstractWord|TightStringList|TikzCodeForNumericalSemigroup|TikzLeftCayleyDigraph|TikzRightCayleyDigraph|TikzString|TiltingModule|TimeToString|Tip|TipCoefficient|TipMonomial|TipMonomialandCoefficientOfVector|TipReduce|TipReduceGroebnerBasis|TipReduceVectors|TipReducedList|TipWalk|TitsUnitFormOfAlgebra|TmpDirectory|TmpName|TmpNameAllArchs|ToACEGroupGenerators|ToACEWords|ToBeDefinedObjFamily|ToBeDefinedObjType|ToBeat|ToBlist|ToDoForIsWellDefinedWrapper|ToDoList|ToDoListEntry|ToDoListEntryBlueprint|ToDoListEntryForEqualAttributes|ToDoListEntryForEquivalentAttributes|ToDoListEntryToMaintainEqualAttributes|ToDoListEntryToMaintainEqualAttributesBlueprint|ToDoListEntryToMaintainFollowingAttributes|ToDoListEntryToMaintainFollowingAttributesBlueprint|ToDoListEntryWithContraposition|ToDoListWeakPointer|ToDoList_Is_Sane_Entry|ToDoList_this_object|ToDoLists_Move_To_Target_ToDo_List|ToDoLists_Process_Entry_Part|ToDoLists_install_blueprint_immediate_method|ToDoLists_remove_this_object_recursive|ToPQ|ToPQLog|ToPQ_BOOL|ToPQk|Today|ToggleEcho|TomDataAlmostSimpleRecognition|TomDataMaxesAlmostSimple|TomDataSubgroupsAlmostSimple|TomExtensionNames|TombakCode|ToolsForHomalg_CheckASourcePart|ToolsForHomalg_ProcessToDoListEquivalencesAndContrapositions|ToolsForHomalg_RemoveContrapositionFromBothToDoLists|ToolsForHomalg_ToDoList_TaceProof_RecursivePart|TopDegreeOfTree|TopElement|TopOfModule|TopOfModuleProjection|TopVertexTransformations|Tor|ToricCode|ToricCodewords|ToricPoints|ToricStar|Torsion|TorsionByPolyEFSeries|TorsionFreeFactor|TorsionFreeFactorEpi|TorsionGeneratorsAbelianGroup|TorsionObject|TorsionObjectEmb|TorsionOfAssociatedGradedRingNumericalSemigroup|TorsionSubcomplex|TorsionSubgroup|TorsionSubgroupAbelianPcpGroup|TorsionSubgroupNilpotentPcpGroup|TorsionSubgroupPcpGroup|TorsionSubobject|TotalChernClass|TotalComplex|TotalDegreesOfSpectralSequence|TotalLength|TotalMemoryAllocated|TotalNumberOfNielsenTuples|TotalNumberOfTuples|TotalNumberTuples|TotalObjectDegreesOfBicomplex|TournamentLineDecoder|TrD|Trace|TraceAllMethods|TraceCode|TraceCosetTableLpGroup|TraceDefinition|TraceField|TraceIdeal|TraceIdealOfNumericalSemigroup|TraceImmediateMethods|TraceInternalMethods|TraceMap|TraceMat|TraceMatProd|TraceMatrix|TraceMethods|TraceModQF|TraceOfMagmaRingElement|TraceOfModule|TraceOfSemigroupCongruence|TracePolynomial|TraceProof|TraceProof_Position|TraceSchreierTreeBack|TraceSchreierTreeForward|TraceSchreierTreeOfSCCBack|TraceSchreierTreeOfSCCForward|TraceTrajectoriesOfClasses|TracedCosetFpGroup|TracedPointPcElement|TracksOfGoodSemigroup|TrailingEntriesLTM|Trajectory|TranformsOneIntoZero|TransArrange|TransCombinat|TransGrpLoad|TransParts|TransStabCSPG|TransWord|Transatlantic|Transducer|TransferChainMap|TransferComponentsToLibraryTableRecord|TransferDiagram|TransferMappingPropertiesToInverse|TransferPcgsInfo|Transform|TransformPG|Transformation|TransformationAction|TransformationActionHomomorphism|TransformationActionHomomorphismNC|TransformationActionNC|TransformationByImageAndKernel|TransformationFamily|TransformationList|TransformationListList|TransformationListListNC|TransformationMonoid|TransformationNC|TransformationNearRing|TransformationNearRingByAdditiveGenerators|TransformationNearRingByGenerators|TransformationNearRingIdealClosureOfSubgroup|TransformationNearRingRightIdealClosureOfSubgroup|TransformationNumber|TransformationOnFirstLevel|TransformationOnLevel|TransformationOnLevelAsMatrix|TransformationOnLevelOp|TransformationOp|TransformationOpNC|TransformationRepresentation|TransformationSemigroup|TransformationSemigroupOnLevel|TransformationSemigroupOnLevelOp|TransformingMats|TransformingMatsLSE|TransformingPermutationFamily|TransformingPermutations|TransformingPermutationsCharacterTables|TransformsAdditionIntoMultiplication|TransformsAdditiveInversesIntoInverses|TransformsInversesIntoAdditiveInverses|TransformsMultiplicationIntoAddition|TransformsZeroIntoOne|Transition|TransitionGraph|TransitionMap|TransitionMapOp|TransitionMatrix|TransitionMatrixOfAutomaton|TransitionSemigroup|TransitionSets|Transitions|TransitiveClosureBinaryRelation|TransitiveGroup|TransitiveGroup48|TransitiveGroupsAvailable|TransitiveIdentification|Transitivity|TransitivityCertificate|Translate|TranslateAction|TranslateExp|TranslateFreeListOfDifferenceSets|TranslateFreeListOfDifferenceSums|TranslateString|TranslateTemplate|TranslatedLiePRings|TranslationBasis|TranslationBasisFun|TranslationNormalizer|TranslationOfIdealOfAffineSemigroup|TranslationOfIdealOfNumericalSemigroup|TranslationOnRightFromVector|TranslationSubGroup|TranslationsToBox|TranslationsToOneCubeAroundCenter|TranslatorSubalgebra|TransportHom|Transpose3DimensionalGroup|TransposeCat1Group|TransposeIsomorphism|TransposeOfDual|TransposeOfModule|TransposeOfModuleHomomorphism|TransposeOfSparseMat|TransposedBicomplex|TransposedClasses|TransposedFRElement|TransposedFrobeniusMat|TransposedMat|TransposedMatAttr|TransposedMatDestructive|TransposedMatImmutable|TransposedMatLILMutable@RepnDecomp|TransposedMatMutable|TransposedMatOp|TransposedMatrix|TransposedMatrixGroup|TransposedPolynomial|TransposedSparseMat|TransposedTransducer|TransversalElement|TransversalInverse|TransversalMat|TransversalSystemGauss|TreatAsPoly|TreatAsVector|Tree|TreeAutomorphism|TreeAutomorphismFamily|TreeAutomorphismGroup|TreeEntry|TreeHashTabType|TreeHomomorphism|TreeHomomorphismFamily|TreeOfGroupsToContractibleGcomplex|TreeOfResolutionsToContractibleGcomplex|TreeOfResolutionsToSL2Zcomplex|TreeRepresentedWord|TreeWreathProduct|TriSH|TrialQuotientRPF|TrialityPcGroup|TrialityPermGroup|TriangleCommutatorQuotient|TriangleGroup|TriangularBooleanMatMonoid|TriangularForm|TriangularGraph|TriangularGridGraph|TriangularGridGraphCons|TriangularizeMatVector|TriangulizeIntegerMat|TriangulizeMat|TriangulizeMatPivotColumns|TriangulizeMonomialElementList|TriangulizeWeightRepElementList|TriangulizedGeneratorsByMatrix|TriangulizedIntegerMat|TriangulizedIntegerMatTransform|TriangulizedIntegerMatTransforms|TriangulizedMat|TriangulizedNullspaceMat|TriangulizedNullspaceMatDestructive|TriangulizedNullspaceMatNT|TrimFSA|TrimPartialPerm|TrimStabChain|TrimTransformation|TrivialAction|TrivialAlgebraModule|TrivialArtinianSubmodule|TrivialBrace|TrivialCharacter|TrivialExtensionOfQuiverAlgebra|TrivialExtensionOfQuiverAlgebraLevel|TrivialExtensionOfQuiverAlgebraProjection|TrivialFormCollFamily|TrivialFormFamily|TrivialFormType|TrivialGModule|TrivialGModuleAsGOuterGroup|TrivialGroup|TrivialGroupCons|TrivialGroups|TrivialInvAutomaton|TrivialIterator|TrivialModule|TrivialPartition|TrivialRcwaGroupOverZ|TrivialRcwaGroupOverZxZ|TrivialRcwaMonoidOverZ|TrivialSemigroup|TrivialSemigroupCons|TrivialSkewbrace|TrivialSub2DimensionalGroup|TrivialSubCat1Group|TrivialSubCat2Group|TrivialSubCrossedSquare|TrivialSubFLMLOR|TrivialSubHigherDimensionalGroup|TrivialSubPreCat1Group|TrivialSubPreCat2Group|TrivialSubPreCrossedSquare|TrivialSubPreXMod|TrivialSubXMod|TrivialSubadditiveMagmaWithZero|TrivialSubalgebra|TrivialSubgroup|TrivialSubmagmaWithOne|TrivialSubmodule|TrivialSubmonoid|TrivialSubnearAdditiveMagmaWithZero|TrivialSubspace|TrivialTable|TrivialYB|TropicalMaxPlusMatrixType|TropicalMinPlusMatrixType|TrowProofTrackingObject|Trunc|TruncatedGComplex|TruncatedModule|TruncatedPathAlgebra|TruncatedRegularCWComplex|TruncatedSubmodule|TruncatedSubmoduleEmbed|TruncatedSubmoduleRecursiveEmbed|TruncatedWilfNumberOfNumericalSemigroup|TryCombinations|TryCosetTableInWholeGroup|TryEliminate|TryFindHomMethod|TryGcdCancelExtRepPolynomials|TryIsTransitiveOnNonnegativeIntegersInSupport|TryLayerSQ|TryLoadAISGroupData|TryLoadAISGroupFingerprintData|TryLoadAISGroupFingerprintIndex|TryLoadAbsolutelyIrreducibleSolubleGroupData|TryLoadAbsolutelyIrreducibleSolubleGroupFingerprintData|TryLoadAbsolutelyIrreducibleSolubleGroupFingerprintIndex|TryLoadAbsolutelyIrreducibleSolvableGroupData|TryLoadAbsolutelyIrreducibleSolvableGroupFingerprintData|TryLoadAbsolutelyIrreducibleSolvableGroupFingerprintIndex|TryMaximalSubgroupClassReps|TryModuleSQ|TryPcgsPermGroup|TryPermOperation|TryPermOperationNL|TryQuotientsFromFactorSubgroups|TrySecondaryImages|TrySolvableSubgroup|TrySolvableSubgroupNL|TryToComputeTransitivityCertificate|Tschirnhausen|Tuple|TupleOrbitReps|TupleOrbitReps_perm|Tuples|TuplesK|TwistedResolution|TwistedTensorProduct|TwistedTrialityHexagon|TwistedTrialityHexagonPointToPlaneByTwoTimesTriality|TwistingForCrossedProduct|Twitter|TwoCellFilter|TwoClosure|TwoClosurePermGroup|TwoCoboundaries|TwoCoboundariesCR|TwoCoboundariesSQ|TwoCocycles|TwoCocyclesCR|TwoCocyclesSQ|TwoCohomology|TwoCohomologyCR|TwoCohomologyGeneric|TwoCohomologyModCR|TwoCohomologySQ|TwoCohomologyTrivialModule|TwoLevelStabilizer|TwoLevelSubspaceCentralizer|TwoPointDelete|TwoSeqPol|TwoSidedIdeal|TwoSidedIdealByGenerators|TwoSidedIdealBySubgroup|TwoSidedIdealNC|TwoSquares|TwoStepCentralizersByLcs|TwoStepCents|TwoSylow|TwoXP1_PPGV21|TwoXP1_PPGV22|TwoXP2_PPGV22|TwoXP3_PPGV22|TwoXP4_PPGV22|TwoXP5_PPGV22|TwoXP6_PPGV22|TwoX_PPGV21|TwoX_PPGV22|Type|Type2DimensionalGroupMorphism|TypeHigherDimensionalGroupMorphism|TypeObj|TypeOfDefaultGeneralMapping|TypeOfFamilies|TypeOfFamilyOfFamilies|TypeOfFamilyOfTypes|TypeOfForm|TypeOfHomalgMatrix|TypeOfNGroup|TypeOfNumericalSemigroup|TypeOfObjWithMemory|TypeOfOperation|TypeOfRootSystem|TypeOfSubspace|TypeOfTypes|TypeReesMatrixSemigroupElements|TypeSequence|TypeSequenceOfNumericalSemigroup|TypeTableau|TypedListWithAttributes|TypesOfElementsOfIncidenceStructure|TypesOfElementsOfIncidenceStructurePlural|TzCheckRecord|TzCommutatorPair|TzEliminate|TzEliminateFromTree|TzEliminateGen|TzEliminateGen1|TzEliminateGens|TzEliminateRareOcurrences|TzFindCyclicJoins|TzGeneratorExponents|TzGo|TzGoElim|TzGoGo|TzHandleLength1Or2Relators|TzImagesOldGens|TzInitGeneratorImages|TzMostFrequentPairs|TzNewGenerator|TzOccurrences|TzOccurrencesPairs|TzOptionNames|TzOptions|TzPartition|TzPreImagesNewGens|TzPrint|TzPrintGeneratorImages|TzPrintGenerators|TzPrintLengths|TzPrintOptions|TzPrintPairs|TzPrintPresentation|TzPrintRelators|TzPrintStatus|TzRelator|TzRelatorOldImages|TzRemoveGenerators|TzRenumberGens|TzReplaceGens|TzRules|TzSearch|TzSearchC|TzSearchEqual|TzSort|TzSortC|TzSubstitute|TzSubstituteCyclicJoins|TzSubstituteGen|TzSubstituteWord|TzTestInitialSetup|TzUpdateGeneratorImages|TzWordAbstractWord|U1SLSpecSeq|U1SLVerbose|UAtThePlacesS|UChar|UEA|UF|UNBIND_ATOMIC_RECORD|UNBIND_GLOBAL|UNB_GF2MAT|UNB_GF2VEC|UNB_GVAR|UNB_LIST|UNB_REC|UNB_VEC8BIT|UNCLONEABLE_TNUMS|UNICODECHARCACHE|UNICODE_RECODE|UNIPOT_DEFAULT_REP|UNITE_BLIST|UNITE_BLIST_LIST|UNITE_SET|UNITLIBBuildManual|UNITLIBBuildManualHTML|UNIVARTEST_RATFUN|UNIV_FUNC_BY_EXTREP|UNIXSelect|UNPROFILE_FUNC|UNSORTED_IMAGE_SET_TRANS|UNTRACE_METHODS|UPDATE_STAT|UPPERCASETRANSTABLE|USECTPGROUP|USED_PRIMES@Polycyclic|USER_HOME_EXPAND|USE_ALNUTH@Polycyclic|USE_CANONICAL_PCS|USE_CANONICAL_PCS@Polycyclic|USE_CHARS|USE_COMBINATORIAL_COLLECTOR|USE_GAP_FACS|USE_LABEL|USE_LIBRARY_COLLECTOR|USE_MSERS|USE_NFMI@Polycyclic|USE_NORMED_PCS@Polycyclic|USE_PARTI|UTF_NOT_SUPP|UUIDFamily|UUIDType|UUVCode|UderlyingLieAlgebra|UglyVector|UnGreaseMat|UnInstallCharReadHookFunc|UnLocSmithNFPPowerPoly|UnLocSmithNFPPowerPolyCol|UnbindElmWPObj|UnbindGlobal|UnbindInfoOutput|UnbindKnownPropertyOfPolymakeObject|UnbindRemoteObject|UnboundedArrayAssign|UncompressStrMat|UncoverageLineByLine|UnderlyingASIdeal|UnderlyingAdditiveGroup|UnderlyingAlgebra|UnderlyingAscendingLPresentation|UnderlyingAssociativeAlgebra|UnderlyingAutomFamily|UnderlyingAutomaton|UnderlyingAutomatonGroup|UnderlyingAutomatonSemigroup|UnderlyingBicomplex|UnderlyingCategory|UnderlyingCell|UnderlyingCharacterTable|UnderlyingCharacteristic|UnderlyingCollection|UnderlyingComplex|UnderlyingCongruence|UnderlyingCycleSet|UnderlyingDomainOfBinaryRelation|UnderlyingElement|UnderlyingElementOfDualSemigroupElement|UnderlyingElementOfReesMatrixSemigroupElement|UnderlyingElementOfReesZeroMatrixSemigroupElement|UnderlyingExternalSet|UnderlyingFRMachine|UnderlyingFamily|UnderlyingField|UnderlyingFieldForHomalg|UnderlyingFreeGenerators|UnderlyingFreeGroup|UnderlyingFreeMonoid|UnderlyingFreeSubgroup|UnderlyingFunction|UnderlyingGeneralMapping|UnderlyingGeneralizedMorphism|UnderlyingGeneralizedMorphismCategory|UnderlyingGeneralizedObject|UnderlyingGraph|UnderlyingGraphOfAutomaton|UnderlyingGroup|UnderlyingGroupRing|UnderlyingHomalgRing|UnderlyingHonestCategory|UnderlyingHonestObject|UnderlyingIndeterminate|UnderlyingInjectionZeroMagma|UnderlyingInvariantLPresentation|UnderlyingLeftModule|UnderlyingLieAlgebra|UnderlyingListOfRingElements|UnderlyingListOfRingElementsInCurrentPresentation|UnderlyingMagma|UnderlyingMatrix|UnderlyingMatrixOverNonGradedRing|UnderlyingMealyElement|UnderlyingModule|UnderlyingModuleElement|UnderlyingMorphism|UnderlyingMorphismMutable|UnderlyingMultiGraphOfAutomaton|UnderlyingMultiplicativeGroup|UnderlyingNSIdeal|UnderlyingNonGradedRing|UnderlyingNonGradedRingElement|UnderlyingObject|UnderlyingPlist|UnderlyingRelation|UnderlyingRing|UnderlyingRingElement|UnderlyingSelfSimFamily|UnderlyingSemigroup|UnderlyingSemigroupElementOfMonoidByAdjoiningIdentityElt|UnderlyingSemigroupFamily|UnderlyingSemigroupOfCongruencePoset|UnderlyingSemigroupOfMonoidByAdjoiningIdentity|UnderlyingSemigroupOfReesMatrixSemigroup|UnderlyingSemigroupOfReesZeroMatrixSemigroup|UnderlyingSemigroupOfSemigroupWithAdjoinedZero|UnderlyingSemilatticeOfSemigroups|UnderlyingSet|UnderlyingSubobject|UnderlyingVectorSpace|UndirectedBoundaryOfFreeZGLetter|UndirectedBoundaryOfFreeZGLetterNC|UndirectedBoundaryOfFreeZGLetterNC_LargeGroupRep|UndirectedBoundaryOfFreeZGLetter_LargeGroupRep|UndirectedBoundaryOfFreeZGWord|UndirectedBoundaryOfFreeZGWordNC|UndirectedBoundaryOfFreeZGWordNC_LargeGroupRep|UndirectedBoundaryOfFreeZGWord_LargeGroupRep|UndirectedEdges|UndirectedSpanningForest|UndirectedSpanningForestAttr|UndirectedSpanningTree|UndirectedSpanningTreeAttr|UndirectedWordNC_LargeGroupRep|UndirectedWord_LargeGroupRep|UndoRefinement|UnframeArray|UnhideGlobalVariables|Unicode|UnicodeCharacterType|UnicodeStringType|UniformBlockBijectionMonoid|UniformGeneratorsOfModule|Union|Union2|UnionAutomata|UnionBlist|UnionCode|UnionIdealsOfAffineSemigroup|UnionIfCanEasilySortElements|UnionModule|UnionOfColumns|UnionOfColumnsEager|UnionOfColumnsEagerOp|UnionOfColumnsOp|UnionOfPieces|UnionOfPiecesOp|UnionOfRelations|UnionOfResidueClassesWithFixedRepresentatives|UnionOfResidueClassesWithFixedRepresentativesCons|UnionOfResidueClassesWithFixedReps|UnionOfRows|UnionOfRowsEager|UnionOfRowsEagerOp|UnionOfRowsOp|UnionRatExp|UnionSet|UnipotChevElem|UnipotChevElemByFC|UnipotChevElemByFundamentalCoeffs|UnipotChevElemByR|UnipotChevElemByRN|UnipotChevElemByRootNumbers|UnipotChevElemByRoots|UnipotChevFamily|UnipotChevInfo|UnipotChevSubGr|UnipotentCharacter|Unique|UniqueMorphism|UniqueObject|UniqueQuiverName|UnitBall|UnitCubicalBall|UnitForm|UnitGroup|UnitGroupDescriptionPari|UnitGroupOfNumberField|UnitObject|UnitPermutahedralBall|UnitaryRepresentation|UnitarySubgroup|Unite|UniteBlist|UniteBlistList|UniteSet|UnitriangularBooleanMatMonoid|UnitriangularMatrixRepresentation|UnitriangularPcpGroup|Units|UnivariateLaurentPolynomialByCoefficients|UnivariateMonomialsOfMonomial|UnivariatePolynomial|UnivariatePolynomialByCoefficients|UnivariatePolynomialRing|UnivariateRationalFunctionByCoefficients|UnivariateRationalFunctionByExtRep|UnivariateRationalFunctionByExtRepNC|UnivariatenessTestRationalFunction|UniversalBarCode|UniversalBarCodeEval|UniversalCover|UniversalEnvelopingAlgebra|UniversalMorphismFromCoequalizer|UniversalMorphismFromCoequalizerWithGivenCoequalizer|UniversalMorphismFromCoproduct|UniversalMorphismFromCoproductWithGivenCoproduct|UniversalMorphismFromDirectSum|UniversalMorphismFromDirectSumWithGivenDirectSum|UniversalMorphismFromImage|UniversalMorphismFromImageWithGivenImageObject|UniversalMorphismFromInitialObject|UniversalMorphismFromInitialObjectWithGivenInitialObject|UniversalMorphismFromPushout|UniversalMorphismFromPushoutOp|UniversalMorphismFromPushoutWithGivenPushout|UniversalMorphismFromZeroObject|UniversalMorphismFromZeroObjectWithGivenZeroObject|UniversalMorphismIntoCoimage|UniversalMorphismIntoCoimageWithGivenCoimage|UniversalMorphismIntoCoimageWithGivenCoimageObject|UniversalMorphismIntoDirectProduct|UniversalMorphismIntoDirectProductWithGivenDirectProduct|UniversalMorphismIntoDirectSum|UniversalMorphismIntoDirectSumWithGivenDirectSum|UniversalMorphismIntoEqualizer|UniversalMorphismIntoEqualizerWithGivenEqualizer|UniversalMorphismIntoFiberProduct|UniversalMorphismIntoFiberProductOp|UniversalMorphismIntoFiberProductWithGivenFiberProduct|UniversalMorphismIntoTerminalObject|UniversalMorphismIntoTerminalObjectWithGivenTerminalObject|UniversalMorphismIntoZeroObject|UniversalMorphismIntoZeroObjectWithGivenZeroObject|UniversalPBR|UniversalPropertyOfCoDual|UniversalPropertyOfDual|UniversalSemigroupCongruence|Unknown|UnknownSize|UnknownsType|UnloadAISGroupData|UnloadAISGroupFingerprints|UnloadAbsolutelyIrreducibleSolubleGroupData|UnloadAbsolutelyIrreducibleSolubleGroupFingerprints|UnloadAbsolutelyIrreducibleSolvableGroupData|UnloadAbsolutelyIrreducibleSolvableGroupFingerprints|UnloadCharacterTableData|UnloadSmallGroupsData|UnloadSmallsemiData|UnloadTableOfMarksData|UnlockNaturalHomomorphismsPool|UnlockObject|UnmarkTree|UnorderedPairsIterator|UnorderedTuples|UnorderedTuplesK|Unpack|UnpackedCll|UnpatchGBNP|UnprofileFunctions|UnprofileLineByLine|UnprofileMethods|UnreduceModM|UnreducedFpSemigroup|UnreducedNumeratorOfHilbertPoincareSeries|UnslicedPerm@|UntraceAllMethods|UntraceImmediateMethods|UntraceInternalMethods|UntraceMethods|UnusedVariableName|UnweightedPrecedenceDigraph|Unwrap|Up2DimensionalGroup|Up2DimensionalMappingFamily|Up2DimensionalMappingType|Up2DimensionalMorphism|Up3DimensionalGroup|UpDownMorphism|UpEnv|UpGeneratorImages|UpHomomorphism|UpImagePositions|UpToIsomorphism|UpdateContainerOfPointers|UpdateContainerOfWeakPointers|UpdateCounter|UpdateCounterPara|UpdateIdealLambdaOrb|UpdateIdealRhoOrb|UpdateMacrosOfCAS|UpdateMacrosOfLaunchedCAS|UpdateMacrosOfLaunchedCASs|UpdateMap|UpdateNilpotentCollector|UpdateObjectsByMorphism|UpdatePackage|UpdatePolycyclicCollector|UpdatePolymakeFailReason|UpdateRWS|UpdateWeightInfo|UpperActingDomain|UpperBound|UpperBoundCoveringRadiusCyclicCode|UpperBoundCoveringRadiusDelsarte|UpperBoundCoveringRadiusGriesmerLike|UpperBoundCoveringRadiusRedundancy|UpperBoundCoveringRadiusStrength|UpperBoundElias|UpperBoundGriesmer|UpperBoundHamming|UpperBoundJohnson|UpperBoundMinimumDistance|UpperBoundOptimalMinimumDistance|UpperBoundPlotkin|UpperBoundSingleton|UpperCentralSeries|UpperCentralSeriesNilpotentPcpGroup|UpperCentralSeriesOfGroup|UpperCentralSeriesPcpGroup|UpperDiagonalOfMat|UpperEpicentralSeries|UpperFittingSeries|UpperSubdiagonal|UpperTriangleMatrixByPolynomialForForm|UppercaseChar|UppercaseString|UppercaseUnicodeString|UpwardsExtensions|UpwardsExtensionsNoCentre|UseBasis|UseCacheObject|UseContraction|UseFactorRelation|UseIsomorphismRelation|UseLibraryCollector|UseSubsetRelation|UseTwistedHopfStructure|UsedOperationMultiples|UsedOperations|UsedOperationsWithMultiples|UsefulAutomaton|UserHomeExpand|UserPreference|UtilsLoadingComplete|UtilsPackageVersions|VALUE_ACE_OPTION|VALUE_GLOBAL|VALUE_PQ_OPTION|VAL_GVAR|VAR_TAG|VECTOR2ALGEBRA@FR|VECTORCHECK@FR|VECTORDISPLAY@FR|VECTORLIMITMACHINE@FR|VECTORMINIMIZE@FR|VECTORPLUS@FR|VECTORTIMES@FR|VECTORZEROE@FR|VECTORZEROM@FR|VERIFY@Polycyclic|VHGroup|VHRws|VHSTRUCTURE@FR|VHStructure|VIEWALGEBRA@FR|VIEWFRGROUP@FR|VIEW_OBJ|VIEW_STRING_FOR_STRING|VIEW_STRING_OPERATION|VMETHOD_PRINT_INFO|VPActionHom|VSDecompCentAction|VSTInsertToLeft|VSTNode|VagnerPrestonRepresentation|ValEntriesSL|ValInt|ValidateGAPDoc|ValidatePackageInfo|ValsFunction1|ValsFunction10|ValsFunction10a|ValsFunction11|ValsFunction12|ValsFunction13|ValsFunction14|ValsFunction15|ValsFunction16|ValsFunction17|ValsFunction18|ValsFunction18a|ValsFunction19|ValsFunction19a|ValsFunction2|ValsFunction20|ValsFunction21|ValsFunction22|ValsFunction22a|ValsFunction23|ValsFunction23a|ValsFunction23b|ValsFunction23c|ValsFunction24|ValsFunction25|ValsFunction26|ValsFunction26a|ValsFunction27|ValsFunction27a|ValsFunction27b|ValsFunction28|ValsFunction5|ValsFunction6|ValsFunction8|ValsFunction8a|ValsFunction9|ValsPreFunction28|Valuation|Value|ValueCochain|ValueDirichletSeries|ValueGlobal|ValueHT|ValueInterval|ValueIterator|ValueMolienSeries|ValueOption|ValuePol|ValueRatFun|Values|ValuesOfClassFunction|VandermondeMat|VariableForChernCharacter|VariableForChernPolynomial|VariableForHilbertPoincareSeries|VariableForHilbertPolynomial|VariablesOfExpTree|Variance|VarsOfPoly|VarsOfSCTab|VaughanLeeAlgebras|VecToList|VecToSparseVec|Vector|VectorByComplement|VectorCanonicalForm|VectorCodeword|VectorElement|VectorElementNC|VectorMachine|VectorMachineNC|VectorModL|VectorModLattice|VectorModOne|VectorOfRelator|VectorOfWordCR|VectorSearchTable|VectorSpace|VectorSpaceByPcgsOfElementaryAbelianGroup|VectorSpaceMorphism|VectorSpaceObject|VectorSpaceToElement|VectorSpaceTransversal|VectorSpaceTransversalElement|VectorStabilizer|VectorStabilizerByFactors|VectorToCrystMatrix|Vectorize|Vectors|VectorsToFpGModuleWords|VectorsToOneSkeleton|VectorsToSymmetricMatrix|VectorspaceBasis|VectorspaceComplementOrbitsLattice|VerifyDisjointness|VerifyGroup|VerifyIndependence|VerifyKBDAG|VerifyMatrixGroup|VerifyPermGroup|VerifyProjectiveGroup|VerifySGS|VerifyStabiliser|VerifyStabilizer|VerifyStabilizerChainMC|VerifyStabilizerChainTC|VerifyStabilizerChainTC2|VeroneseMap|VeroneseVariety|VertexColouring|VertexDegree|VertexDegrees|VertexElement|VertexFor|VertexGraph|VertexGraphDistances|VertexInDegree|VertexIndex|VertexName|VertexNames|VertexNumber|VertexOfDiagramFamily|VertexOutDegree|VertexPosition|VertexProjectivePresentation|VertexTransformations|VertexTransformationsFRElement|VertexTransformationsFRMachine|VertexTransitiveDRGs|VertexTripleCache|VertexTriples|VerticalAction|VerticalConversionFieldMat|VerticalPostCompose|VerticalPreCompose|Vertices|VerticesOfGraphInverseSemigroup|VerticesOfPathAlgebra|VerticesOfQuiver|VerticesOfRegularCWCell|VerticesReachableFrom|View|View3dPureComplex|ViewColouredArcDiagram|ViewDefiningAttributes|ViewFullHomModule|ViewGraph|ViewList|ViewMolienSeries|ViewObj|ViewPCPresentation|ViewPureComplex|ViewPureCubicalComplex|ViewPureCubicalKnot|ViewShortPresentation|ViewString|ViewStringForMatrixObj|ViewStringForVectorObj|VirtualCharacter|VirtualEndomorphism|VirtuallySimplicialSubdivision|VisualizeTorsionSkeleton|VizOptionsForSplash|VizViewers|VoganDiagram|WALRUS_kbmag_available|WHERE|WHERE_INTERNAL|WHITESPACE|WITH_HIDDEN_IMPS_FLAGS|WITH_IMPS_FLAGS|WITH_IMPS_FLAGS_STAT|WRAPPER_OPERATIONS|WRITE_BYTE_FILE|WRITE_IOSTREAM|WRITE_LIST_TO_ACE_STREAM|WRITE_STRING_FILE_NC|Wada|WaitTask|WaitUntilIdle|WalkOfPath|WalkOfPathOrVertex|WallForm|WalrusTestStandard|WalrusVertex|WalshHadamardGraph|WalshHadamardGraphCons|WasCreatedAsGeneralizedMorphismCategoryByCospans|WasCreatedAsGeneralizedMorphismCategoryBySpans|WasCreatedAsGeneralizedMorphismCategoryByThreeArrows|WasCreatedAsOppositeCategory|WasCreatedAsSerreQuotientCategoryByCospans|WasCreatedAsSerreQuotientCategoryBySpans|WasCreatedAsSerreQuotientCategoryByThreeArrows|WdAcceptor|WdNearRing|WeakCommutativityGroup|WeakPointerObj|WeaklyBranchedEmbedding|WebGraph|WebGraphCons|WeddDecomp|WeddDecompData|WedderburnDecomposition|WedderburnDecompositionAsSCAlgebras|WedderburnDecompositionByCharacterDescent|WedderburnDecompositionInfo|WedderburnDecompositionWithDivAlgParts|WedderburnRadical|Wedge|WedgeAction|WedgeGModule|WedgeMatrixBaseImages|WedgePlusAction|WedgePlusChar2Action|WedgePlusCharPAction|WedgeSum|WeekDay|WeierstrassGroup|Weight|WeightCodeword|WeightDistribution|WeightHistogram|WeightLexOrdering|WeightLexOrderingNC|WeightOfGenerators|WeightOfVector|WeightOrdering|WeightUpperUnitriMat|WeightVecFFE|WeightVector|WeightVector@ModIsom|WeightVectorDS|WeightVectorLCS|WeightVectorPS|WeightedBasis|WeightedBasisOfRad|WeightedDynkinDiagram|WeightedSum|WeightsAndVectors|WeightsOfIndeterminates|WeightsTom|WeylGroup|WeylGroupAsPermGroup|WeylGroupFp|WeylOrbitIterator|WeylPermutations|WeylTransversal|WeylWord|WeylWordAsPerm|WheelGraph|WheelGraphCons|Where|WhereIsPkgProgram|WhereWithVars|Whereisdot|Which|WhichSideOfHyperplane|WhichSideOfHyperplaneNC|WhiteheadGroupGeneratingDerivations|WhiteheadGroupGeneratorPositions|WhiteheadGroupTable|WhiteheadMonoidTable|WhiteheadOrder|WhiteheadPermGroup|WhiteheadProduct|WhiteheadQuadraticFunctor|WhiteheadTransformationMonoid|WhiteheadXMod|WholeSpaceCode|WidthPGroup|WidthUTF8String|WidthUnicodeTable|WilfNumber|WilfNumberOfNumericalSemigroup|WindmillGraph|WindmillGraphCons|WindowCmd|Winnow2Algorithm|WinnowAlgorithm|WirtingerGroup|WirtingerGroup_gc|WithoutEndingSemicolon|WittCoefficients|WittDesign|WittIndex|Word|WordAcceptor|WordAcceptorByKBMag|WordAcceptorByKBMagOfDoubleCosetRws|WordAcceptorOfDoubleCosetRws|WordAcceptorOfPartialDoubleCosetRws|WordAcceptorOfReducedRws|WordActionOnFirstLevel|WordActionOnLevel|WordActionOnVertex|WordAlp|WordByBasePcgs|WordByExps|WordGrowth|WordLength|WordListSR|WordModP|WordMonoidOfRewritingSystem|WordOfGraphOfGroupoidsWord|WordOfGraphOfGroupsWord|WordOfVectorCR|WordOrder|WordPolycyclicGens|WordProductLetterRep|WordSimplify@SptSet|WordTargetDFA|WordToListRWS|WordToString|WordToStringSR|WordinLabels|Words|WordsEqualPPP|WordsString|WordsToSuborbits|WorkerFarmByForkType|WorkerFarmsFamily|Wrap|WrapMatrix@RepnDecomp|WrapTextAttribute|WrappedEnumerator|WrappedIterator|WrapperCategory|WreathActionChiefFactor|WreathElm|WreathOrdering|WreathProduct|WreathProductElementList|WreathProductElementListNC|WreathProductImprimitiveAction|WreathProductInfo|WreathProductOfMatrixGroup|WreathProductOrdering|WreathProductProductAction|WreathRecursion|WriteAll|WriteBibFile|WriteBibXMLextFile|WriteBinAsHex|WriteBinStringsAsBytes|WriteBrentFactorsFiles|WriteByte|WriteChunks|WriteDIMACSDigraph|WriteDecasHex|WriteDescendantsToFile|WriteDigraphs|WriteDocumentation|WriteDotFileForGraph|WriteFSA|WriteFileForHomalg|WriteFileInPackageForHomalg|WriteFilterRanks|WriteGapIniFile|WriteGenerators|WriteHexAsBin|WriteHexStriAsBytes|WriteIntasBytes|WriteKnownPropertyToPolymakeObject|WriteLieAlgebraListToFile|WriteLieAlgebraToFile|WriteLine|WriteMethodOverview|WriteModuleToFile|WriteMultiplicationTable|WriteNilpotentLieAlgebraToString|WritePlainTextDigraph|WritePureCubicalComplexAsImage|WriteQEAToFile|WriteRWS|WriteReplacedFileForHomalg|WriteSetRecordSR|WriteSubgroupRWS|WyPos|WyPosAT|WyPosSGL|WyPosStep|WyckoffBasis|WyckoffGraph|WyckoffGraphFun|WyckoffOrbit|WyckoffPositionObject|WyckoffPositions|WyckoffPositionsByStabilizer|WyckoffSpaceGroup|WyckoffStabilizer|WyckoffTranslation|X|XAV|XAutomaton|XLSCLIENTSCMD|XMLElements|XMLPARSEORIGINS|XMLPARSERFLAGS|XMLValidate|XMODOBJ_CONSTRUCTORS|XMod|XModAction|XModAlgebra|XModAlgebraAction|XModAlgebraByBoundaryAndAction|XModAlgebraByCentralExtension|XModAlgebraByIdeal|XModAlgebraByModule|XModAlgebraByMultipleAlgebra|XModAlgebraConst|XModAlgebraMorphism|XModAlgebraMorphismByHoms|XModAlgebraObj|XModAlgebraOfCat1Algebra|XModByAbelianModule|XModByAutomorphismGroup|XModByBoundaryAndAction|XModByCentralExtension|XModByGroupOfAutomorphisms|XModByInnerAutomorphismGroup|XModByNormalSubgroup|XModByPeifferQuotient|XModByPullback|XModByTrivialAction|XModCentre|XModMorphism|XModMorphismByGroupHomomorphisms|XModMorphismOfCat1GroupMorphism|XModOfCat1Group|XRMTCMD|XSemigroup|XSetOfPathAlgebraVector|XXRCEUMHLD|XingLingCode|Xint|XmodToHAP|YAPB_SOLVE|YAPB_SOLVE_COSET|YB|YB2CycleSet|YB2Permutation|YBFamily|YBPermutationGroup|YBType|YB_IsBraidedSet|YB_ij|YB_xy|YSequenceConjugateAndReduce|YSequenceModulePoly|YieldsDiscreteUniversalGroup|YonedaProduct|Z|ZClassRepsDadeGroup|ZClassRepsQClass|ZERO|ZERO_ATTR_MAT|ZERO_GF2VEC|ZERO_GF2VEC_2|ZERO_LIST_DEFAULT|ZERO_MPFR|ZERO_MUT|ZERO_MUT_LIST_DEFAULT|ZERO_SAMEMUT|ZERO_VEC8BIT|ZERO_VEC8BIT_2|ZEV_DATA|ZIPPED_PRODUCT_LISTS|ZIPPED_SUM_LISTS|ZIPPED_SUM_LISTS_LIB|ZMODNZVECADDINVCLEANUP|ZMODNZVECSCAMULT|ZMZVECMAT|ZMZVECTIMESPLISTMAT|ZModnZMOPI|ZNZVECREDUCE|ZOp|ZResidueClassUnionsFamily|ZZPersistentHomologyOfPureCubicalComplex|Z_MOD_NZ|Z_PI_RCWAMAPPING_FAMILIES|Z_PI_RESIDUE_CLASS_UNIONS_FAMILIES|Z_RESIDUE_CLASS_UNIONS_FAMILIES|Z_pi|Z_piCons|Z_piResidueClassUnionsFamily|ZassFunc|ZassenhausIntersection|ZechLog|Zero|Zero0_PPGV21|Zero0_PPGV22|Zero0_PPGV31|ZeroAssociates|ZeroAttr|ZeroChainMap|ZeroCocycle@SptSet|ZeroCoefficient|ZeroCoefficientRatFun|ZeroCohomologyPPPPcps|ZeroColumns|ZeroComplex|ZeroImmutable|ZeroLeftModule|ZeroLeftSubmodule|ZeroMapping|ZeroMatrix|ZeroModElement|ZeroModule|ZeroModulePoly|ZeroMonoidPoly|ZeroMorphism|ZeroMutable|ZeroObject|ZeroObjectFunctorial|ZeroObjectFunctorialWithGivenZeroObjects|ZeroOfBaseDomain|ZeroOp|ZeroPointToOnePointsSpaceByTriality|ZeroRcwaMappingOfZ|ZeroRcwaMappingOfZxZ|ZeroRightModule|ZeroRightSubmodule|ZeroRows|ZeroSM|ZeroSameMutability|ZeroSemigroup|ZeroSemigroupCons|ZeroSubobject|ZeroSymmetricCompatibleFunctionNearRing|ZeroSymmetricElements|ZeroSymmetricFunctionsCompatibleWithNormalSubgroupChain|ZeroSymmetricPart|ZeroVector|ZerosAtThePlacesS|ZerothRegularity|Zeta|ZetaSeriesOfGroup|ZevData|ZevDataValue|ZigZagContractedComplex|ZigZagContractedFilteredPureCubicalComplex|ZigZagContractedPureComplex|ZigZagContractedPureCubicalComplex|Zip|ZippedListQuotient|ZippedProduct|ZippedSum|ZmodnZ|ZmodnZMat|ZmodnZObj|ZmodnZVec|ZmodnZeps|ZmodnZepsObj|ZmodpZ|ZmodpZNC|ZmodpZObj|ZugadiSpinalGroup|ZumbroichBase|Zuppos|ZxZResidueClassUnionsFamily|_AG_CreateAutomaton|_AUTODOC_GLOBAL_CHUNKS_FILE|_AUTODOC_GLOBAL_OPTION_RECORD|_AddElmPObj_ForHomalg|_AddElmWPObj_ForHomalg|_AddTwoElmPObj_ForHomalg|_AddTwoElmWPObj_ForHomalg|_AnyCongruenceByGeneratingPairs|_Binomial|_CanonicalImageParse|_CanonicalSetImage|_CanonicalSetSetImage|_CanonicalTupleSetImage|_CreateHomalgRingToTestProperties|_DS_Hash_Lookup|_DS_Hash_LookupCreate|_DTP_DetermineNormalForm|_DTP_DetermineOrder|_DomainImageOfPartialPermIdeal|_EVALSTRINGTMP|_ElmPObj_ForHomalg|_ElmWPObj_ForHomalg|_EquivalenceRelationPartition|_ExitCode|_ExternalGAP_multiple_delete|_FERRET_DEFAULT_OPTIONS|_FERRET_ENABLE_OVERLOADS|_FSA|_FSA_and|_FSA_concat|_FSA_determinize|_FSA_exists|_FSA_min|_FSA_not|_FSA_or|_FSA_reverse|_FSA_star|_FSA_swap_coords|_FerretHelperFuncs|_FoldList2|_Functor_AddMorphisms_OnGradedMaps|_Functor_AddMorphisms_OnMaps|_Functor_AsATwoSequence_OnObjects|_Functor_AsChainMorphismForPullback_OnObjects|_Functor_AsChainMorphismForPushout_OnObjects|_Functor_AuslanderDual_OnObjects|_Functor_Cokernel_OnGradedModules|_Functor_Cokernel_OnModules|_Functor_ConstantStrand_OnCochainMaps|_Functor_ConstantStrand_OnFreeCocomplexes|_Functor_CoproductMorphism_OnGradedMaps|_Functor_CoproductMorphism_OnMaps|_Functor_DefectOfExactness_OnObjects|_Functor_DirectSum_OnGradedModules|_Functor_DirectSum_OnMaps|_Functor_DirectSum_OnModules|_Functor_GeneralizedLinearStrand_OnCochainMaps|_Functor_GeneralizedLinearStrand_OnFreeCocomplexes|_Functor_GradedHom_OnGradedMaps|_Functor_GradedHom_OnGradedModules|_Functor_GuessModuleOfGlobalSectionsFromATateMap_OnGradedMaps|_Functor_Hom_OnMaps|_Functor_Hom_OnModules|_Functor_HomogeneousPartOfDegreeZeroOverCoefficientsRing_OnGradedMaps|_Functor_HomogeneousPartOfDegreeZeroOverCoefficientsRing_OnGradedModules|_Functor_HomogeneousPartOverCoefficientsRing_OnGradedMaps|_Functor_HomogeneousPartOverCoefficientsRing_OnGradedModules|_Functor_ImageObject_OnGradedModules|_Functor_ImageObject_OnModules|_Functor_Kernel_OnObjects|_Functor_KoszulLeftAdjoint_OnGradedMaps|_Functor_KoszulLeftAdjoint_OnGradedModules|_Functor_KoszulRightAdjoint_OnGradedMaps|_Functor_KoszulRightAdjoint_OnGradedModules|_Functor_LinearFreeComplexOverExteriorAlgebraToModule_OnGradedMaps|_Functor_LinearFreeComplexOverExteriorAlgebraToModule_OnGradedModules|_Functor_LinearPart_OnGradedMaps|_Functor_LinearPart_OnGradedModules|_Functor_LinearStrandOfTateResolution_OnGradedMaps|_Functor_LinearStrandOfTateResolution_OnGradedModules|_Functor_LinearStrand_OnCochainMaps|_Functor_LinearStrand_OnFreeCocomplexes|_Functor_ModuleOfGlobalSectionsTruncatedAtCertainDegree_OnGradedMaps|_Functor_ModuleOfGlobalSectionsTruncatedAtCertainDegree_OnGradedModules|_Functor_ModuleOfGlobalSections_OnGradedMaps|_Functor_ModuleOfGlobalSections_OnGradedModules|_Functor_MulMorphism_OnGradedMaps|_Functor_MulMorphism_OnMaps|_Functor_PostDivide_OnGradedMaps|_Functor_PostDivide_OnMaps|_Functor_PreCompose_OnGradedMaps|_Functor_PreCompose_OnMaps|_Functor_PreCompose_OnObjects|_Functor_PreDivide_OnMorphisms|_Functor_ProductMorphism_OnGradedMaps|_Functor_ProductMorphism_OnMaps|_Functor_ProjectionToDirectSummandOfGradedFreeModuleGeneratedByACertainDegree_OnGradedModules|_Functor_Pullback_OnObjects|_Functor_Pushout_OnObjects|_Functor_RepresentationMapOfRingElement_OnGradedMaps|_Functor_RepresentationMapOfRingElement_OnGradedModules|_Functor_RepresentationObjectOfKoszulId_OnGradedMaps|_Functor_RepresentationObjectOfKoszulId_OnGradedModules|_Functor_SubMorphisms_OnGradedMaps|_Functor_SubMorphisms_OnMaps|_Functor_SubmoduleGeneratedByHomogeneousPart_OnGradedMaps|_Functor_SubmoduleGeneratedByHomogeneousPart_OnGradedModules|_Functor_TateResolution_OnGradedMaps|_Functor_TateResolution_OnGradedModules|_Functor_TensorProduct_OnGradedMaps|_Functor_TensorProduct_OnGradedModules|_Functor_TensorProduct_OnMaps|_Functor_TensorProduct_OnModules|_Functor_TheZeroMorphism_OnGradedModules|_Functor_TheZeroMorphism_OnModules|_Functor_TorsionFreeFactor_OnObjects|_Functor_TorsionObject_OnObjects|_Functor_TruncatedModule_OnGradedModules|_Functor_TruncatedSubmoduleRecursiveEmbed_OnGradedMaps|_Functor_TruncatedSubmoduleRecursiveEmbed_OnGradedModules|_Functor_TruncatedSubmodule_OnGradedMaps|_Functor_TruncatedSubmodule_OnGradedModules|_GapToJsonStreamInternal|_GetElement|_HomalgMap|_HomalgRelationsForLeftModule|_HomalgRelationsForRightModule|_Homalg_CombinationIndex|_Homalg_FreeModuleElementFromList|_Homalg_IndexCombination|_IMAGES_COMMON_ORBIT|_IMAGES_COMMON_RATIO_ORBIT|_IMAGES_COMMON_RATIO_ORBIT_FIX|_IMAGES_DO_TIMING|_IMAGES_DeclareTimeClass|_IMAGES_DeepNode|_IMAGES_FilterOrbCount|_IMAGES_GetStats|_IMAGES_Get_Hash|_IMAGES_IncCount|_IMAGES_NSI_HASH_LIMIT|_IMAGES_RARE_ORBIT|_IMAGES_RARE_RATIO_ORBIT|_IMAGES_RARE_RATIO_ORBIT_FIX|_IMAGES_RATIO|_IMAGES_ResetStats|_IMAGES_ShallowNode|_IMAGES_StartTimer|_IMAGES_StopTimer|_IMAGES_TIME_CLASSES|_IMAGES_changeStabChain|_IMAGES_check1|_IMAGES_check2|_IMAGES_getcands|_IMAGES_improve|_IMAGES_nsi_stats|_IMAGES_orbit|_IMAGES_pass1|_IMAGES_pass2|_IMAGES_pass3|_IMAGES_prune|_IMAGES_shortcut|_IMAGES_skippedorbit|_IO_Defines_ChangeDirectoryCurrent|_ImageHelperFuncs|_InjectionPrincipalFactor|_InstallIsomorphism0|_InstallIsomorphism1|_InstallRandom0|_InstallRandom1|_IsRowOfSparseMatrix|_IsXMatrix|_IsXMonoid|_IsXSemigroup|_JSON_Globals|_JSON_addRef|_JSON_clearRefs|_JoinAnyCongruences|_KBExtDir|_KBTmpFileName|_LeftOrRightCong|_LocalizePolynomialRingAtZeroWithMora|_MAGMA_SetRing|_MAGMA_multiple_delete|_Macaulay2_SetInvolution|_Macaulay2_SetRing|_Macaulay2_multiple_delete|_MapleHomalg_SetRing|_Maple_multiple_delete|_MasseyProduct|_MinimalImage_partialFunction|_NORMALIZ_SO|_NautyTracesInterfaceVersion|_NewSmallestImage|_NewSmallestImage_SetSet|_NmzCompute|_NmzCone|_NmzConePropertiesNamesRecord|_NmzConeProperty|_NmzPrintSomeConeProperties|_NmzRecordOfConeProperties|_NmzVersion|_Oscar_SetInvolution|_Oscar_SetRing|_Oscar_multiple_delete|_PATH_SO|_PrepareInputForExteriorRing|_PrepareInputForPolynomialRing|_PrepareInputForPseudoDoubleShiftAlgebra|_PrepareInputForRingOfDerivations|_PrintObsolete|_ProcessArgs1|_Prof_GatherFunctionUsage|_Prof_PrettyPrintFunction|_REQUIRE_MUTABLE_SET|_RWS|_RWST_|_RWS_Cos|_RWS_Sub|_RecogsFunnyNameFormatterFunction|_RecogsFunnyWWWURLFunction|_RowEchelonForm|_SEMIGROUPS_SO|_STANDREWS|_STANDREWSCS|_STANDREWSMATHS|_Sage_multiple_delete|_SemigroupSizeByIndexPeriod|_SetElmWPObj_ForHomalg|_SimpleClassFromRMSclass|_Singular_SetInvolution|_Singular_SetRing|_Singular_multiple_delete|_SubAlgebraModuleHelper|_UCT_Cohomology|_UCT_Homology|_VARIANCE|_ViewStringForSemigroups|_ViewStringForSemigroupsGroups|_ViewStringForSemigroupsIdeals|_YAPB_FixedOrbits|_YAPB_Globals|_YAPB_RepresentElement|_YAPB_addRef|_YAPB_checkRef|_YAPB_clearRefs|_YAPB_fastIsNaturalOrSymmetricGroup|_YAPB_fillRepElements|_YAPB_getBlockList|_YAPB_getInfoFerret|_YAPB_getInfoFerretDebug|_YAPB_getOrbitPart|_YAPB_getOrbitalList|_YAPB_getPermTo|_YAPB_inGroup|_YAPB_isGroupConj|_YAPB_stabTime|__AG_AddRelators|__AG_CreateAutom|__AG_CreateRewritingSystem|__AG_CreateSelfSim|__AG_FindRelators|__AG_PermString|__AG_PrintPerm|__AG_ReducedForm|__AG_ReducedFormOfElm|__AG_ReducedFormOfGroup|__AG_RewritingSystem|__AG_SimplifyGroupGenerators|__AG_SubgroupOnLevel|__AG_UpdateRewritingSystem|__AG_UseRewritingSystem|__AG_is_permutation|__AG_make_permutation|__AG_make_states|__AG_parse_state|__AG_parse_word|__AG_split_perms|__AG_split_states|__CAP_INTERNAL_RANK_CATEGORY_FROM_METHOD_RECORD|__DATASTRUCTURES_C|__G_BZCode|__G_FourNegacirculantSelfDualCode|__ID|__congruence_CheckFactorizeMat|__congruence_FactorizeMat|__congruence_PSL2multiply|__congruence_edgepairs|__congruence_fractionallineartransformation|__congruence_gluing_matrices|__congruence_longest_edge|__congruence_max_label|__profiling_pkg_temp_wsl_check|_booleaniseList|_cajGroupCopy|_cajWreath|_countingDict|_functor_BaseChange_OnGradedModules|_functor_BaseChange_OnModules|_liealgdb_nilpotent_d6f2|_liealgdb_nilpotent_d7f2|_liealgdb_nilpotent_d7f3|_liealgdb_nilpotent_d7f5|_liealgdb_nilpotent_d8f2|_liealgdb_nilpotent_d9f2|_minOrbBuilder|_prof_CSS_files_withTiming|_prof_CSS_files_withoutTiming|_prof_CSS_overview|_prof_CSS_std|_prof_LookupWithDefault|_prof_fileHasCoverage|_prof_fileHasTiming|_prof_mergeProfiles|_q|_rowColGen|_trivialReturn|_unbooleaniseList|_x_relators|_xg|acceptPartialPerm|acceptSetOfSize|acceptTransform|add_generator|add_pair|add_rule|add_runner|at|automorphism_groupXMLBlockDesign|bit_flip|block_concurrencesXML|block_designXML|blocksXML|c|calcnicegens|caratpath|cat|cf|cf_AllAutGroupsC|cf_AllAutGroupsGL2|cf_AllFrattFreeSolvGroups|cf_AutGroupsC|cf_AutGroupsGL2|cf_FrattFreeSolvGroups|cf_GL2_Th51|cf_GL2_Th514|cf_GL2_Th515|cf_GL2_Th52|cf_GL2_Th53|cf_GL2_Th55|cf_GL2_Th56|cf_GL2_Th58|cf_GL2_Th59|cf_NormSubD|cf_SocleComplements|cf_Th51|cf_Th52Red|cf_Th53|cf_atGrps|cf_canUseSG|cf_completelyReducibleSG|cf_symmSDProducts|checksetI|checksetJ|class_dim_5|class_dim_6|class_dim_le4|class_index_to_word|class_string|closure|cnt|combinatorial_propertiesXML|comp_mat|computeLPSarray|conformmat|contains|copy|corelg|corelgCompactDimOfCSA|corelgRealWG|cryst2params|cryst3params|cryst4params|current_position|current_size|defaultbeta@float|defaultgamma@float|diagauts|doCoeffsComputation@RepnDecomp|doCoeffsPerCCElement@RepnDecomp|enumerate|exam_string|extrep_index|extrep_lessthan_onelevel|extrep_ordered_blocks|factorisation|fail|fam_SqrtFieldElt|fast_product|fhmethsel|field|find_word_ver2|finddiag|findgensNmeth|finished|forfactor|forkernel|func|functionXML|functor_AddMorphisms_for_maps_of_fg_modules|functor_AddMorphisms_for_maps_of_graded_modules|functor_AsATwoSequence|functor_AsChainMorphismForPullback|functor_AsChainMorphismForPushout|functor_AuslanderDual|functor_BaseChange_ForGradedModules|functor_BaseChange_for_fp_modules|functor_Cokernel_ForGradedModules|functor_Cokernel_for_fp_modules|functor_CoproductMorphism_for_maps_of_fg_modules|functor_CoproductMorphism_for_maps_of_graded_modules|functor_DefectOfExactness|functor_ImageObject_ForGradedModules|functor_ImageObject_for_fp_modules|functor_Kernel|functor_MulMorphism_for_maps_of_fg_modules|functor_MulMorphism_for_maps_of_graded_modules|functor_PostDivide_for_maps_of_fg_modules|functor_PostDivide_for_maps_of_graded_modules|functor_PreCompose|functor_PreCompose_for_maps_of_fg_modules|functor_PreCompose_for_maps_of_graded_modules|functor_PreDivide|functor_ProductMorphism_for_maps_of_fg_modules|functor_ProductMorphism_for_maps_of_graded_modules|functor_Pullback|functor_Pushout|functor_SubMorphisms_for_maps_of_fg_modules|functor_SubMorphisms_for_maps_of_graded_modules|functor_TheZeroMorphism_for_fp_modules|functor_TheZeroMorphism_for_graded_modules|g|gap_index|generator|gensN|gensNslp|gg|guava_version|h|hardware_concurrency|homalgCreateDisplayString|homalgCreateStringForExternalCASystem|homalgDisplay|homalgExternalCASystem|homalgExternalCASystemPID|homalgExternalCASystemVersion|homalgExternalObject|homalgFlush|homalgIOMode|homalgInternalMatrixHull|homalgLaTeX|homalgLastWarning|homalgMemoryUsage|homalgMode|homalgNamesOfComponentsToIntLists|homalgNrOfWarnings|homalgPointer|homalgResetFilters|homalgRingStatistics|homalgSendBlocking|homalgSetName|homalgStream|homalgTable|homalgTime|homalgTotalRuntimes|i|i_x|idempotents|immediateverification|indexInLeftFiber@RepnDecomp|index_flagXML|indicatorsXMLBlockDesign|infinity|infoXML|input|is_idempotent|is_quotient_obviously_infinite|isequal|isomM10|isomM11|isomM9|isomN|isone|jascii|last|last2|last3|latex_code|latex_code1|latex_code2|latex_times|layer_3hoch8|layer_phoch7|left_cayley_graph|less|libsemigroups|lieRec|lieRecs|liealg_hom|lst|mKnot|make|make_from_fpsemigroup|make_from_froidurepin_bipartition|make_from_froidurepin_bmat|make_from_froidurepin_bmat8|make_from_froidurepin_leastpperm|make_from_froidurepin_leasttransf|make_from_froidurepin_pbr|make_from_froidurepin_ppermUInt2|make_from_froidurepin_ppermUInt4|make_from_froidurepin_transfUInt2|make_from_froidurepin_transfUInt4|make_from_table|malObj|malObjs|memory_allocated|method|methodsforfactor|minimal_factorisation|mo_F_28|mo_F_29|mo_Fnc|mons0|n|name|nilp_type|no|noTests|ntc|number_of_classes|number_of_generators|number_of_idempotents|number_of_pairs|o|p|path|permutationXML|permutation_groupXML|pg_word|pi|pi@SptSet|point_concurrencesXML|pos_3hoch8|pos_phoch7|position|position_to_sorted_position|prefill|pregensfac|product_by_reduction|qClan|qClanFamily|qSInducedModule|qSRestrictedModule|quotient_froidure_pin|range|range_c|range_n|ranges|ranges_c|ranges_n|realforms|recLieAlg|recLieAlgs|recurseMinimalImage|res|resolutionsXML|right_cayley_graph|rowcolsquareGroup|rowcolsquareGroup2|rules|set_alphabet|set_identity|set_number_of_generators|set_report|setupI|shortestrep|sing_exec|sing_exec_options|size|skew_symm_NF|slpforelement|slptonice|slptostd|solv_type|sorted_at|sorted_position|sq_free|subfuncs|t_design_propertiesXML|time|times|vars_a|vars_b|vars_x|vars_y|weylperm|weylwordNF|word_to_class_index|x|x_s_y|y|z|zXML

[-- Attachment #4: Type: text/plain, Size: 18 bytes --]

-- 
Manuel Giraud

^ permalink raw reply related	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-01 10:35 bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode Manuel Giraud
  2022-07-01 13:33 ` Manuel Giraud
@ 2022-07-02 12:14 ` Lars Ingebrigtsen
  2022-07-02 12:23   ` Visuwesh
  2022-07-02 12:39   ` Eli Zaretskii
  1 sibling, 2 replies; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-02 12:14 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: 56335

Manuel Giraud <manuel@ledu-giraud.fr> writes:

> I have try to improve longlines-mode to detect more (and user settable)
> breakpoints into long lines.

longlines-mode is obsolete, though, and we usually don't accept patches
to obsolete packages.  Doesn't so-long mode work for you here?

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 12:14 ` Lars Ingebrigtsen
@ 2022-07-02 12:23   ` Visuwesh
  2022-07-02 12:46     ` Phil Sainty
  2022-07-02 12:39   ` Eli Zaretskii
  1 sibling, 1 reply; 26+ messages in thread
From: Visuwesh @ 2022-07-02 12:23 UTC (permalink / raw)
  To: Lars Ingebrigtsen; +Cc: 56335, Manuel Giraud

[சனி ஜூலை 02, 2022] Lars Ingebrigtsen wrote:

> Manuel Giraud <manuel@ledu-giraud.fr> writes:
>
>> I have try to improve longlines-mode to detect more (and user settable)
>> breakpoints into long lines.
>
> longlines-mode is obsolete, though, and we usually don't accept patches
> to obsolete packages.  Doesn't so-long mode work for you here?

IIUC, longlines-mode helps a LOT since it inserts _actual_ newlines in
the buffer at intervals and these newlines are removed when you save the
file.  The last time I read, so-long mode only disables expensive
minor-modes to speed up Emacs.

IIRC, there was discussion surrounding de-obsoleting longlines-mode
sometime.  But I might be dreaming that up.





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 12:14 ` Lars Ingebrigtsen
  2022-07-02 12:23   ` Visuwesh
@ 2022-07-02 12:39   ` Eli Zaretskii
  2022-07-02 12:44     ` Lars Ingebrigtsen
  1 sibling, 1 reply; 26+ messages in thread
From: Eli Zaretskii @ 2022-07-02 12:39 UTC (permalink / raw)
  To: Lars Ingebrigtsen; +Cc: 56335, manuel

> Cc: 56335@debbugs.gnu.org
> From: Lars Ingebrigtsen <larsi@gnus.org>
> Date: Sat, 02 Jul 2022 14:14:50 +0200
> 
> Manuel Giraud <manuel@ledu-giraud.fr> writes:
> 
> > I have try to improve longlines-mode to detect more (and user settable)
> > breakpoints into long lines.
> 
> longlines-mode is obsolete, though, and we usually don't accept patches
> to obsolete packages.  Doesn't so-long mode work for you here?

I think we should un-obsolete it, because it works surprisingly well
with extremely long lines, better than anything else we have.





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 12:39   ` Eli Zaretskii
@ 2022-07-02 12:44     ` Lars Ingebrigtsen
  2022-07-02 13:03       ` Eli Zaretskii
  0 siblings, 1 reply; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-02 12:44 UTC (permalink / raw)
  To: Eli Zaretskii; +Cc: 56335, manuel

Eli Zaretskii <eliz@gnu.org> writes:

> I think we should un-obsolete it, because it works surprisingly well
> with extremely long lines, better than anything else we have.

That's fine by me.

It was obsoleted in 2012:

commit 770de7cf722062fb90e1d8cb344d7dfbd89013ed
Author:     Chong Yidong <cyd@gnu.org>
AuthorDate: Tue Dec 4 10:47:43 2012 +0800

    Obsolete longlines.el.
    
    * longlines.el: Move to obsolete/.
    
    * lisp/org/org-bibtex.el (org-bibtex-ask): Use visual-line-mode instead of
    longlines-mode.
    
    * lisp/vc/ediff-diff.el (ediff-extract-diffs, ediff-extract-diffs3):
    Remove code referring to longlines mode.

So it was obsoleted because we had visual-line-mode instead, I guess?  I
guess they have similar use cases, but longlines-mode has the advantage
that it's also a hack around the performance issues.

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 12:23   ` Visuwesh
@ 2022-07-02 12:46     ` Phil Sainty
  0 siblings, 0 replies; 26+ messages in thread
From: Phil Sainty @ 2022-07-02 12:46 UTC (permalink / raw)
  To: Visuwesh; +Cc: Lars Ingebrigtsen, 56335, Manuel Giraud

On 2022-07-03 00:23, Visuwesh wrote:
> IIRC, there was discussion surrounding de-obsoleting longlines-mode
> sometime.

https://debbugs.gnu.org/cgi/bugreport.cgi?bug=51051







^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 12:44     ` Lars Ingebrigtsen
@ 2022-07-02 13:03       ` Eli Zaretskii
  2022-07-02 15:39         ` Lars Ingebrigtsen
  0 siblings, 1 reply; 26+ messages in thread
From: Eli Zaretskii @ 2022-07-02 13:03 UTC (permalink / raw)
  To: Lars Ingebrigtsen; +Cc: 56335, manuel

> From: Lars Ingebrigtsen <larsi@gnus.org>
> Cc: manuel@ledu-giraud.fr,  56335@debbugs.gnu.org
> Date: Sat, 02 Jul 2022 14:44:53 +0200
> 
> So it was obsoleted because we had visual-line-mode instead, I guess?  I
> guess they have similar use cases, but longlines-mode has the advantage
> that it's also a hack around the performance issues.

Yes.





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 13:03       ` Eli Zaretskii
@ 2022-07-02 15:39         ` Lars Ingebrigtsen
  2022-07-02 21:19           ` Manuel Giraud
  0 siblings, 1 reply; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-02 15:39 UTC (permalink / raw)
  To: Eli Zaretskii; +Cc: 56335, manuel

Eli Zaretskii <eliz@gnu.org> writes:

>> So it was obsoleted because we had visual-line-mode instead, I guess?  I
>> guess they have similar use cases, but longlines-mode has the advantage
>> that it's also a hack around the performance issues.
>
> Yes.

It seems like everybody both here and in the other thread agreed that we
should unobsolete longlines.el, so I've now done so in Emacs 29.  I've
also applied Manuel's patch to longlines.

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 15:39         ` Lars Ingebrigtsen
@ 2022-07-02 21:19           ` Manuel Giraud
  2022-07-03  5:14             ` Eli Zaretskii
  0 siblings, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-02 21:19 UTC (permalink / raw)
  To: Lars Ingebrigtsen; +Cc: Eli Zaretskii, 56335

Lars Ingebrigtsen <larsi@gnus.org> writes:

> Eli Zaretskii <eliz@gnu.org> writes:
>
>>> So it was obsoleted because we had visual-line-mode instead, I guess?  I
>>> guess they have similar use cases, but longlines-mode has the advantage
>>> that it's also a hack around the performance issues.
>>
>> Yes.
>
> It seems like everybody both here and in the other thread agreed that we
> should unobsolete longlines.el, so I've now done so in Emacs 29.  I've
> also applied Manuel's patch to longlines.

Thanks. I guess that it could be re-obsoleted when visual-line-mode is
fast on *very* long lines.

Now I'm going to check corner cases in longlines.el because the previous
code used to replace space with soft newline. This patch should not
replace any characters (just add soft newline)… but I could have missed
some.
-- 
Manuel Giraud





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-02 21:19           ` Manuel Giraud
@ 2022-07-03  5:14             ` Eli Zaretskii
  2022-07-04  8:06               ` Manuel Giraud
  0 siblings, 1 reply; 26+ messages in thread
From: Eli Zaretskii @ 2022-07-03  5:14 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: larsi, 56335

> From: Manuel Giraud <manuel@ledu-giraud.fr>
> Cc: Eli Zaretskii <eliz@gnu.org>,  56335@debbugs.gnu.org
> Date: Sat, 02 Jul 2022 23:19:48 +0200
> 
> > It seems like everybody both here and in the other thread agreed that we
> > should unobsolete longlines.el, so I've now done so in Emacs 29.  I've
> > also applied Manuel's patch to longlines.
> 
> Thanks. I guess that it could be re-obsoleted when visual-line-mode is
> fast on *very* long lines.

If and when visual-line-mode becomes fast on long lines, we won't need
visual-line-mode for that.  Unlike longlines, visual-line-mode does
NOT insert newlines into the character stream examined by the display
code, it just breaks a visual line in certain places it considers
appropriate.  Thus, visual-line-mode cannot help where newlines do: in
breaking long lines into shorter ones.  It suffers from the same
problems as "normal" display, and any solution, if we find it, will
fix both.

> Now I'm going to check corner cases in longlines.el because the previous
> code used to replace space with soft newline. This patch should not
> replace any characters (just add soft newline)… but I could have missed
> some.

Please indicate when you have a version that we should install.

Thanks.





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-03  5:14             ` Eli Zaretskii
@ 2022-07-04  8:06               ` Manuel Giraud
  2022-07-04 11:18                 ` Eli Zaretskii
  0 siblings, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-04  8:06 UTC (permalink / raw)
  To: Eli Zaretskii; +Cc: larsi, 56335, Manuel Giraud

Eli Zaretskii <eliz@gnu.org> writes:

> If and when visual-line-mode becomes fast on long lines, we won't need
> visual-line-mode for that.  Unlike longlines, visual-line-mode does
> NOT insert newlines into the character stream examined by the display
> code, it just breaks a visual line in certain places it considers
> appropriate.  Thus, visual-line-mode cannot help where newlines do: in
> breaking long lines into shorter ones.  It suffers from the same
> problems as "normal" display, and any solution, if we find it, will
> fix both.

Hi Eli,

I don't really understand.  If the visual breaking of lines works
flawlessly for editing such file, longlines.el will not be needed
anymore.  And I think it'd be better to have that and *not* insert
newlines into a user's buffer.

>> Now I'm going to check corner cases in longlines.el because the previous
>> code used to replace space with soft newline. This patch should not
>> replace any characters (just add soft newline)… but I could have missed
>> some.
>
> Please indicate when you have a version that we should install.

Ok.  Could I add patch onto this bug report or should I create a new
one?
-- 
Manuel Giraud





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-04  8:06               ` Manuel Giraud
@ 2022-07-04 11:18                 ` Eli Zaretskii
  2022-07-05 13:07                   ` Manuel Giraud
  0 siblings, 1 reply; 26+ messages in thread
From: Eli Zaretskii @ 2022-07-04 11:18 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: larsi, 56335

> From: Manuel Giraud <manuel@ledu-giraud.fr>
> Cc: Manuel Giraud <manuel@ledu-giraud.fr>,  larsi@gnus.org,
>   56335@debbugs.gnu.org
> Date: Mon, 04 Jul 2022 10:06:03 +0200
> 
> Eli Zaretskii <eliz@gnu.org> writes:
> 
> > If and when visual-line-mode becomes fast on long lines, we won't need
> > visual-line-mode for that.  Unlike longlines, visual-line-mode does
> > NOT insert newlines into the character stream examined by the display
> > code, it just breaks a visual line in certain places it considers
> > appropriate.  Thus, visual-line-mode cannot help where newlines do: in
> > breaking long lines into shorter ones.  It suffers from the same
> > problems as "normal" display, and any solution, if we find it, will
> > fix both.
> 
> Hi Eli,
> 
> I don't really understand.  If the visual breaking of lines works
> flawlessly for editing such file, longlines.el will not be needed
> anymore.  And I think it'd be better to have that and *not* insert
> newlines into a user's buffer.

The difference between these two methods may not be self-evident,
because they change the display in similar ways.  But they do it on
different levels: longlines does it _before_ the display code examines
the buffer text, whereas visual-line-mode is a feature implemented in
the display code itself, and does its job as buffer text is being
traversed.

The other part of this puzzle is the reason _why_ redisplay is slow
with long lines: it's because its design requires it to start its
layout decisions from the previous newline (that's a simplification,
but it describes what actually happens quite accurately).  In a buffer
with very long lines, this means starting very far away from point,
then examining all the many characters in-between.

Now, visual-line-mode still does all those layout decisions the same
way, it just produces a different layout.  So it, too, must start far
away and them march all the way back.  By contrast, under longlines
the display code can start from a much closer place, where longlines
inserted a newline.

I hope I've succeeded to explain why visual-line-mode cannot be as
fast as longlines, and why, if we find a way of speeding up
visual-line-mode, we'll see the same speedup in the "normal" display
(actually, it will be even faster, since visual-line-mode incurs some
additional processing in the display code).

> >> Now I'm going to check corner cases in longlines.el because the previous
> >> code used to replace space with soft newline. This patch should not
> >> replace any characters (just add soft newline)… but I could have missed
> >> some.
> >
> > Please indicate when you have a version that we should install.
> 
> Ok.  Could I add patch onto this bug report or should I create a new
> one?

No need for a new bug report, you can post here.

Thanks.





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-04 11:18                 ` Eli Zaretskii
@ 2022-07-05 13:07                   ` Manuel Giraud
  2022-07-05 16:32                     ` Lars Ingebrigtsen
  0 siblings, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-05 13:07 UTC (permalink / raw)
  To: Eli Zaretskii; +Cc: larsi, 56335

[-- Attachment #1: Type: text/plain, Size: 421 bytes --]

Hi,

Here is a new patch for longlines-mode. It updates substring filtering
to the new interface and do not replace soft newlines with spaces
anymore. So now, copy/pasting from a longlines buffer should work as
intended.

I'm now trying to update the search/query-replace but I don't understand
how 'search-spaces-regex' works. It seems that with it I should be able
to jump above soft newlines during search, but how ?


[-- Warning: decoded text below may be mangled, UTF-8 assumed --]
[-- Attachment #2: 0001-longlines-substring-update.patch --]
[-- Type: text/x-patch, Size: 3528 bytes --]

From 1a7eb36393aba16680765d34ae3e4329df7f397e Mon Sep 17 00:00:00 2001
From: Manuel Giraud <manuel@ledu-giraud.fr>
Date: Tue, 5 Jul 2022 14:38:43 +0200
Subject: [PATCH] [longlines] substring update

* lisp/longlines.el (longlines-mode, longlines-encode-string): Update
from `buffer-substring-filters' to `filter-buffer-substring-function'.
Remove soft newlines in substring.
---
 lisp/longlines.el | 32 ++++++++++++++++++++------------
 1 file changed, 20 insertions(+), 12 deletions(-)

diff --git a/lisp/longlines.el b/lisp/longlines.el
index a6cf93a039..855fbc6e0e 100644
--- a/lisp/longlines.el
+++ b/lisp/longlines.el
@@ -118,7 +118,6 @@ longlines-mode
         (add-to-list 'buffer-file-format 'longlines)
         (add-hook 'change-major-mode-hook #'longlines-mode-off nil t)
 	(add-hook 'before-revert-hook #'longlines-before-revert-hook nil t)
-        (make-local-variable 'buffer-substring-filters)
         (make-local-variable 'longlines-auto-wrap)
 	(set (make-local-variable 'isearch-search-fun-function)
 	     #'longlines-search-function)
@@ -126,7 +125,8 @@ longlines-mode
 	     #'longlines-search-forward)
 	(set (make-local-variable 'replace-re-search-function)
 	     #'longlines-re-search-forward)
-        (add-to-list 'buffer-substring-filters 'longlines-encode-string)
+        (add-function :filter-return (local 'filter-buffer-substring-function)
+                      #'longlines-encode-string)
         (when longlines-wrap-follows-window-size
 	  (let ((dw (if (and (integerp longlines-wrap-follows-window-size)
 			     (>= longlines-wrap-follows-window-size 0)
@@ -143,7 +143,7 @@ longlines-mode
 	      (inhibit-modification-hooks t)
               (mod (buffer-modified-p))
 	      buffer-file-name buffer-file-truename)
-          ;; Turning off undo is OK since (spaces + newlines) is
+          ;; Turning off undo is OK since (separators + newlines) is
           ;; conserved, except for a corner case in
           ;; longlines-wrap-lines that we'll never encounter from here
 	  (save-restriction
@@ -202,7 +202,8 @@ longlines-mode
     (kill-local-variable 'replace-search-function)
     (kill-local-variable 'replace-re-search-function)
     (kill-local-variable 'require-final-newline)
-    (kill-local-variable 'buffer-substring-filters)
+    (remove-function (local 'filter-buffer-substring-function)
+                     #'longlines-encode-string)
     (kill-local-variable 'use-hard-newlines)))
 
 (defun longlines-mode-off ()
@@ -385,15 +386,22 @@ longlines-encode-region
       end)))
 
 (defun longlines-encode-string (string)
-  "Return a copy of STRING with each soft newline replaced by a space.
+  "Return a copy of STRING with each soft newline removed.
 Hard newlines are left intact."
-  (let* ((str (copy-sequence string))
-         (pos (string-search "\n" str)))
-    (while pos
-      (if (null (get-text-property pos 'hard str))
-          (aset str pos ? ))
-      (setq pos (string-search "\n" str (1+ pos))))
-    str))
+  (let ((str (copy-sequence string))
+        (start 0)
+        (result nil))
+    (while (setq pos (string-search "\n" str start))
+      (unless (= start pos)
+        (push (substring str start pos) result))
+      (when (get-text-property pos 'hard str)
+        (push (substring str pos (1+ pos)) result))
+      (setq start (1+ pos)))
+    (if (null result)
+        str
+      (unless (= start (length str))
+        (push (substring str start) result))
+      (apply #'concat (nreverse result)))))
 
 ;;; Auto wrap
 
-- 
2.36.1


[-- Attachment #3: Type: text/plain, Size: 18 bytes --]

-- 
Manuel Giraud

^ permalink raw reply related	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-05 13:07                   ` Manuel Giraud
@ 2022-07-05 16:32                     ` Lars Ingebrigtsen
  2022-07-06  7:43                       ` Manuel Giraud
  2022-07-06 10:18                       ` Manuel Giraud
  0 siblings, 2 replies; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-05 16:32 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: Eli Zaretskii, 56335

Manuel Giraud <manuel@ledu-giraud.fr> writes:

> Here is a new patch for longlines-mode. It updates substring filtering
> to the new interface and do not replace soft newlines with spaces
> anymore. So now, copy/pasting from a longlines buffer should work as
> intended.

This leads to

In longlines-encode-string:
longlines.el:394:18: Warning: assignment to free variable `pos'
longlines.el:395:24: Warning: reference to free variable `pos'

> I'm now trying to update the search/query-replace but I don't understand
> how 'search-spaces-regex' works. It seems that with it I should be able
> to jump above soft newlines during search, but how ?

Hm, not sure either...

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-05 16:32                     ` Lars Ingebrigtsen
@ 2022-07-06  7:43                       ` Manuel Giraud
  2022-07-06 11:18                         ` Lars Ingebrigtsen
  2022-07-06 10:18                       ` Manuel Giraud
  1 sibling, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-06  7:43 UTC (permalink / raw)
  To: Lars Ingebrigtsen; +Cc: Eli Zaretskii, 56335, Manuel Giraud

[-- Attachment #1: Type: text/plain, Size: 547 bytes --]

Lars Ingebrigtsen <larsi@gnus.org> writes:

> Manuel Giraud <manuel@ledu-giraud.fr> writes:
>
>> Here is a new patch for longlines-mode. It updates substring filtering
>> to the new interface and do not replace soft newlines with spaces
>> anymore. So now, copy/pasting from a longlines buffer should work as
>> intended.
>
> This leads to
>
> In longlines-encode-string:
> longlines.el:394:18: Warning: assignment to free variable `pos'
> longlines.el:395:24: Warning: reference to free variable `pos'

Sorry, here is a new version of the patch.

[-- Warning: decoded text below may be mangled, UTF-8 assumed --]
[-- Attachment #2: 0001-longlines-substring-update.patch --]
[-- Type: text/x-patch, Size: 3540 bytes --]

From c5739c078834afe85e96da3867c2c702694619be Mon Sep 17 00:00:00 2001
From: Manuel Giraud <manuel@ledu-giraud.fr>
Date: Tue, 5 Jul 2022 14:38:43 +0200
Subject: [PATCH] [longlines] substring update

* lisp/longlines.el (longlines-mode, longlines-encode-string): Update
from `buffer-substring-filters' to `filter-buffer-substring-function'.
Remove soft newlines in substring.
---
 lisp/longlines.el | 32 ++++++++++++++++++++------------
 1 file changed, 20 insertions(+), 12 deletions(-)

diff --git a/lisp/longlines.el b/lisp/longlines.el
index a6cf93a039..6dc2f61ed9 100644
--- a/lisp/longlines.el
+++ b/lisp/longlines.el
@@ -118,7 +118,6 @@ longlines-mode
         (add-to-list 'buffer-file-format 'longlines)
         (add-hook 'change-major-mode-hook #'longlines-mode-off nil t)
 	(add-hook 'before-revert-hook #'longlines-before-revert-hook nil t)
-        (make-local-variable 'buffer-substring-filters)
         (make-local-variable 'longlines-auto-wrap)
 	(set (make-local-variable 'isearch-search-fun-function)
 	     #'longlines-search-function)
@@ -126,7 +125,8 @@ longlines-mode
 	     #'longlines-search-forward)
 	(set (make-local-variable 'replace-re-search-function)
 	     #'longlines-re-search-forward)
-        (add-to-list 'buffer-substring-filters 'longlines-encode-string)
+        (add-function :filter-return (local 'filter-buffer-substring-function)
+                      #'longlines-encode-string)
         (when longlines-wrap-follows-window-size
 	  (let ((dw (if (and (integerp longlines-wrap-follows-window-size)
 			     (>= longlines-wrap-follows-window-size 0)
@@ -143,7 +143,7 @@ longlines-mode
 	      (inhibit-modification-hooks t)
               (mod (buffer-modified-p))
 	      buffer-file-name buffer-file-truename)
-          ;; Turning off undo is OK since (spaces + newlines) is
+          ;; Turning off undo is OK since (separators + newlines) is
           ;; conserved, except for a corner case in
           ;; longlines-wrap-lines that we'll never encounter from here
 	  (save-restriction
@@ -202,7 +202,8 @@ longlines-mode
     (kill-local-variable 'replace-search-function)
     (kill-local-variable 'replace-re-search-function)
     (kill-local-variable 'require-final-newline)
-    (kill-local-variable 'buffer-substring-filters)
+    (remove-function (local 'filter-buffer-substring-function)
+                     #'longlines-encode-string)
     (kill-local-variable 'use-hard-newlines)))
 
 (defun longlines-mode-off ()
@@ -385,15 +386,22 @@ longlines-encode-region
       end)))
 
 (defun longlines-encode-string (string)
-  "Return a copy of STRING with each soft newline replaced by a space.
+  "Return a copy of STRING with each soft newline removed.
 Hard newlines are left intact."
-  (let* ((str (copy-sequence string))
-         (pos (string-search "\n" str)))
-    (while pos
-      (if (null (get-text-property pos 'hard str))
-          (aset str pos ? ))
-      (setq pos (string-search "\n" str (1+ pos))))
-    str))
+  (let ((start 0)
+        (result nil)
+        pos)
+    (while (setq pos (string-search "\n" string start))
+      (unless (= start pos)
+        (push (substring string start pos) result))
+      (when (get-text-property pos 'hard string)
+        (push (substring string pos (1+ pos)) result))
+      (setq start (1+ pos)))
+    (if (null result)
+        (copy-sequence string)
+      (unless (= start (length string))
+        (push (substring string start) result))
+      (apply #'concat (nreverse result)))))
 
 ;;; Auto wrap
 
-- 
2.36.1


[-- Attachment #3: Type: text/plain, Size: 18 bytes --]

-- 
Manuel Giraud

^ permalink raw reply related	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-05 16:32                     ` Lars Ingebrigtsen
  2022-07-06  7:43                       ` Manuel Giraud
@ 2022-07-06 10:18                       ` Manuel Giraud
  2022-07-06 11:20                         ` Lars Ingebrigtsen
  2022-07-06 18:49                         ` Juri Linkov
  1 sibling, 2 replies; 26+ messages in thread
From: Manuel Giraud @ 2022-07-06 10:18 UTC (permalink / raw)
  To: Lars Ingebrigtsen; +Cc: Eli Zaretskii, 56335, Manuel Giraud

Lars Ingebrigtsen <larsi@gnus.org> writes:

[...]

>> I'm now trying to update the search/query-replace but I don't understand
>> how 'search-spaces-regex' works. It seems that with it I should be able
>> to jump above soft newlines during search, but how ?
>
> Hm, not sure either...

Ok. As far as I understand, a search will use `search-spaces-regex' in
place of an explicit space entered by the user at prompt.

So I could use this to match separators (and newline) when a space is
entered but it won't automatically «jump» soft newlines as I wanted.

Example with this longlines-mode content:
--8<---------------cut here---------------start------------->8---
Element1|Element2|
Element3|
--8<---------------cut here---------------end--------------->8---

Searching for "|Element3|" won't match but I could use
`search-spaces-regex' to make searching for " Element3 " match. What do
you think?
-- 
Manuel Giraud





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-06  7:43                       ` Manuel Giraud
@ 2022-07-06 11:18                         ` Lars Ingebrigtsen
  0 siblings, 0 replies; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-06 11:18 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: Eli Zaretskii, 56335

Manuel Giraud <manuel@ledu-giraud.fr> writes:

> Sorry, here is a new version of the patch.

Thanks; pushed to Emacs 29.

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-06 10:18                       ` Manuel Giraud
@ 2022-07-06 11:20                         ` Lars Ingebrigtsen
  2022-07-06 18:49                         ` Juri Linkov
  1 sibling, 0 replies; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-06 11:20 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: Eli Zaretskii, 56335, Juri Linkov

Manuel Giraud <manuel@ledu-giraud.fr> writes:

> So I could use this to match separators (and newline) when a space is
> entered but it won't automatically «jump» soft newlines as I wanted.
>
> Example with this longlines-mode content:
>
> Element1|Element2|
> Element3|
>
> Searching for "|Element3|" won't match but I could use
> `search-spaces-regex' to make searching for " Element3 " match. What do
> you think?

I think that makes sense, but perhaps our search expert has some
comments here, so I've added Juri to the CCs.

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-06 10:18                       ` Manuel Giraud
  2022-07-06 11:20                         ` Lars Ingebrigtsen
@ 2022-07-06 18:49                         ` Juri Linkov
  2022-07-06 20:47                           ` Manuel Giraud
  1 sibling, 1 reply; 26+ messages in thread
From: Juri Linkov @ 2022-07-06 18:49 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: Lars Ingebrigtsen, 56335, Eli Zaretskii

>>> I'm now trying to update the search/query-replace but I don't understand
>>> how 'search-spaces-regex' works. It seems that with it I should be able
>>> to jump above soft newlines during search, but how ?
>>
>> Hm, not sure either...
>
> Ok. As far as I understand, a search will use `search-spaces-regex' in
> place of an explicit space entered by the user at prompt.
>
> So I could use this to match separators (and newline) when a space is
> entered but it won't automatically «jump» soft newlines as I wanted.
>
> Example with this longlines-mode content:
>
> Element1|Element2|
> Element3|
>
> Searching for "|Element3|" won't match but I could use
> `search-spaces-regex' to make searching for " Element3 " match. What do
> you think?

After longlines.el was unobsoleted, I checked that its search/replace 
functions have correct implementation: longlines-search-function,
longlines-search-forward, longlines-re-search-forward, all looks correct.

Or do you mean that you tried to implement a new feature where
whitespace contains non-whitespace characters?  Have you tried
to change the value of search-spaces-regexp to include such
characters?





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-06 18:49                         ` Juri Linkov
@ 2022-07-06 20:47                           ` Manuel Giraud
  2022-07-08  3:32                             ` Richard Stallman
  0 siblings, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-06 20:47 UTC (permalink / raw)
  To: Juri Linkov; +Cc: Lars Ingebrigtsen, 56335, Eli Zaretskii, Manuel Giraud

Juri Linkov <juri@linkov.net> writes:

[...]

Hi Juri,

> After longlines.el was unobsoleted, I checked that its search/replace 
> functions have correct implementation: longlines-search-function,
> longlines-search-forward, longlines-re-search-forward, all looks
> correct.

Good.

> Or do you mean that you tried to implement a new feature where
> whitespace contains non-whitespace characters?  Have you tried
> to change the value of search-spaces-regexp to include such
> characters?

Since now longlines could break on other characters then just space (see
`longlines-breakpoint-chars'), it may be a new feature... but I'm not
sure it would be useful.  I've tried to modify search-spaces-regexp
(with the content of longlines-breakpoint-chars) and it works as
advertised.
-- 
Manuel Giraud





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-06 20:47                           ` Manuel Giraud
@ 2022-07-08  3:32                             ` Richard Stallman
  2022-07-08  7:14                               ` Manuel Giraud
  0 siblings, 1 reply; 26+ messages in thread
From: Richard Stallman @ 2022-07-08  3:32 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: larsi, 56335, eliz, manuel, juri

[[[ To any NSA and FBI agents reading my email: please consider    ]]]
[[[ whether defending the US Constitution against all enemies,     ]]]
[[[ foreign or domestic, requires you to follow Snowden's example. ]]]

Since "breakpoint" is traditionally used for a meaning related to
debuggers, could we be clearer by using some other term in longlines
mode?

-- 
Dr Richard Stallman (https://stallman.org)
Chief GNUisance of the GNU Project (https://gnu.org)
Founder, Free Software Foundation (https://fsf.org)
Internet Hall-of-Famer (https://internethalloffame.org)







^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-08  3:32                             ` Richard Stallman
@ 2022-07-08  7:14                               ` Manuel Giraud
  2022-07-08  7:22                                 ` Eli Zaretskii
  0 siblings, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-08  7:14 UTC (permalink / raw)
  To: Richard Stallman; +Cc: larsi, 56335, eliz, juri

Richard Stallman <rms@gnu.org> writes:

> [[[ To any NSA and FBI agents reading my email: please consider    ]]]
> [[[ whether defending the US Constitution against all enemies,     ]]]
> [[[ foreign or domestic, requires you to follow Snowden's example. ]]]
>
> Since "breakpoint" is traditionally used for a meaning related to
> debuggers, could we be clearer by using some other term in longlines
> mode?

Hi,

"breakpoint" was already used into longlines' code...  But now we have a
user option that contains "breakpoint".  I propose to change this option
from 'longlines-breakpoint-chars' to 'longlines-separators'.  What do
you think?
-- 
Manuel Giraud





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-08  7:14                               ` Manuel Giraud
@ 2022-07-08  7:22                                 ` Eli Zaretskii
  2022-07-10  8:58                                   ` Manuel Giraud
  0 siblings, 1 reply; 26+ messages in thread
From: Eli Zaretskii @ 2022-07-08  7:22 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: larsi, 56335, rms, juri

> From: Manuel Giraud <manuel@ledu-giraud.fr>
> Cc: juri@linkov.net,  larsi@gnus.org,  56335@debbugs.gnu.org,  eliz@gnu.org
> Date: Fri, 08 Jul 2022 09:14:19 +0200
> 
> "breakpoint" was already used into longlines' code...  But now we have a
> user option that contains "breakpoint".  I propose to change this option
> from 'longlines-breakpoint-chars' to 'longlines-separators'.  What do
> you think?

I suggest 'longlines-break-chars'.





^ permalink raw reply	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-08  7:22                                 ` Eli Zaretskii
@ 2022-07-10  8:58                                   ` Manuel Giraud
  2022-07-10 13:02                                     ` Lars Ingebrigtsen
  0 siblings, 1 reply; 26+ messages in thread
From: Manuel Giraud @ 2022-07-10  8:58 UTC (permalink / raw)
  To: Eli Zaretskii; +Cc: larsi, 56335, rms, juri

[-- Attachment #1: Type: text/plain, Size: 527 bytes --]

Eli Zaretskii <eliz@gnu.org> writes:

>> From: Manuel Giraud <manuel@ledu-giraud.fr>
>> Cc: juri@linkov.net,  larsi@gnus.org,  56335@debbugs.gnu.org,  eliz@gnu.org
>> Date: Fri, 08 Jul 2022 09:14:19 +0200
>> 
>> "breakpoint" was already used into longlines' code...  But now we have a
>> user option that contains "breakpoint".  I propose to change this option
>> from 'longlines-breakpoint-chars' to 'longlines-separators'.  What do
>> you think?
>
> I suggest 'longlines-break-chars'.

Fine by me. Here is a renaming patch.


[-- Warning: decoded text below may be mangled, UTF-8 assumed --]
[-- Attachment #2: 0001-Rename-longlines-breakpoint-chars-to-longlines-break.patch --]
[-- Type: text/x-patch, Size: 3886 bytes --]

From 5f36624001f0daf8fa27d8c3fa4e7bb1ae2c3deb Mon Sep 17 00:00:00 2001
From: Manuel Giraud <manuel@ledu-giraud.fr>
Date: Sun, 10 Jul 2022 10:54:12 +0200
Subject: [PATCH] Rename 'longlines-breakpoint-chars' to
 'longlines-break-chars'

* etc/NEWS:
* lisp/longlines.el (longlines-break-chars): Rename
'longlines-breakpoint-chars' to 'longlines-break-chars'.
---
 etc/NEWS          |  4 ++--
 lisp/longlines.el | 20 ++++++++++----------
 2 files changed, 12 insertions(+), 12 deletions(-)

diff --git a/etc/NEWS b/etc/NEWS
index 02fe67129d..abdd1f0566 100644
--- a/etc/NEWS
+++ b/etc/NEWS
@@ -463,8 +463,8 @@ previous behavior).  The default is nil, which inhibits recording of
 passwords.
 
 +++
-** New user option 'longlines-breakpoint-chars'.
-This is a string containing chars that could be used as breakpoint in
+** New user option 'longlines-break-chars'.
+This is a string containing chars that could be used as break point in
 longlines mode.
 
 +++
diff --git a/lisp/longlines.el b/lisp/longlines.el
index 6dc2f61ed9..652e3ff14f 100644
--- a/lisp/longlines.el
+++ b/lisp/longlines.el
@@ -72,7 +72,7 @@ longlines-show-effect
 This is used when `longlines-show-hard-newlines' is on."
   :type 'string)
 
-(defcustom longlines-breakpoint-chars " ;,|"
+(defcustom longlines-break-chars " ;,|"
   "A bag of separator chars for longlines."
   :type 'string)
 
@@ -303,8 +303,8 @@ longlines-set-breakpoint
 If the line should not be broken, return nil; point remains on the
 line."
   (move-to-column target-column)
-  (let ((non-breakpoint-re (format "[^%s]" longlines-breakpoint-chars)))
-    (if (and (re-search-forward non-breakpoint-re (line-end-position) t 1)
+  (let ((non-break-re (format "[^%s]" longlines-break-chars)))
+    (if (and (re-search-forward non-break-re (line-end-position) t 1)
              (> (current-column) target-column))
         ;; This line is too long.  Can we break it?
         (or (longlines-find-break-backward)
@@ -314,17 +314,17 @@ longlines-set-breakpoint
 (defun longlines-find-break-backward ()
   "Move point backward to the first available breakpoint and return t.
 If no breakpoint is found, return nil."
-  (let ((breakpoint-re (format "[%s]" longlines-breakpoint-chars)))
-    (when (and (re-search-backward breakpoint-re (line-beginning-position) t 1)
+  (let ((break-re (format "[%s]" longlines-break-chars)))
+    (when (and (re-search-backward break-re (line-beginning-position) t 1)
                (save-excursion
-                 (skip-chars-backward longlines-breakpoint-chars
+                 (skip-chars-backward longlines-break-chars
                                       (line-beginning-position))
                  (null (bolp))))
       (forward-char 1)
       (if (and fill-nobreak-predicate
                (run-hook-with-args-until-success 'fill-nobreak-predicate))
           (progn
-            (skip-chars-backward longlines-breakpoint-chars
+            (skip-chars-backward longlines-break-chars
                                  (line-beginning-position))
             (longlines-find-break-backward))
         t))))
@@ -332,10 +332,10 @@ longlines-find-break-backward
 (defun longlines-find-break-forward ()
   "Move point forward to the first available breakpoint and return t.
 If no break point is found, return nil."
-  (let ((breakpoint-re (format "[%s]" longlines-breakpoint-chars)))
-    (and (re-search-forward breakpoint-re (line-end-position) t 1)
+  (let ((break-re (format "[%s]" longlines-break-chars)))
+    (and (re-search-forward break-re (line-end-position) t 1)
          (progn
-           (skip-chars-forward longlines-breakpoint-chars (line-end-position))
+           (skip-chars-forward longlines-break-chars (line-end-position))
            (null (eolp)))
          (if (and fill-nobreak-predicate
                   (run-hook-with-args-until-success 'fill-nobreak-predicate))
-- 
2.36.1


[-- Attachment #3: Type: text/plain, Size: 18 bytes --]

-- 
Manuel Giraud

^ permalink raw reply related	[flat|nested] 26+ messages in thread

* bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode
  2022-07-10  8:58                                   ` Manuel Giraud
@ 2022-07-10 13:02                                     ` Lars Ingebrigtsen
  0 siblings, 0 replies; 26+ messages in thread
From: Lars Ingebrigtsen @ 2022-07-10 13:02 UTC (permalink / raw)
  To: Manuel Giraud; +Cc: Eli Zaretskii, 56335, rms, juri

Manuel Giraud <manuel@ledu-giraud.fr> writes:

> Fine by me. Here is a renaming patch.

Thanks; pushed to Emacs 29.

-- 
(domestic pets only, the antidote for overdose, milk.)
   bloggy blog: http://lars.ingebrigtsen.no





^ permalink raw reply	[flat|nested] 26+ messages in thread

end of thread, other threads:[~2022-07-10 13:02 UTC | newest]

Thread overview: 26+ messages (download: mbox.gz / follow: Atom feed)
-- links below jump to the message on this page --
2022-07-01 10:35 bug#56335: 29.0.50; [PATCH] Add more breakpoint chars support to longlines-mode Manuel Giraud
2022-07-01 13:33 ` Manuel Giraud
2022-07-02 12:14 ` Lars Ingebrigtsen
2022-07-02 12:23   ` Visuwesh
2022-07-02 12:46     ` Phil Sainty
2022-07-02 12:39   ` Eli Zaretskii
2022-07-02 12:44     ` Lars Ingebrigtsen
2022-07-02 13:03       ` Eli Zaretskii
2022-07-02 15:39         ` Lars Ingebrigtsen
2022-07-02 21:19           ` Manuel Giraud
2022-07-03  5:14             ` Eli Zaretskii
2022-07-04  8:06               ` Manuel Giraud
2022-07-04 11:18                 ` Eli Zaretskii
2022-07-05 13:07                   ` Manuel Giraud
2022-07-05 16:32                     ` Lars Ingebrigtsen
2022-07-06  7:43                       ` Manuel Giraud
2022-07-06 11:18                         ` Lars Ingebrigtsen
2022-07-06 10:18                       ` Manuel Giraud
2022-07-06 11:20                         ` Lars Ingebrigtsen
2022-07-06 18:49                         ` Juri Linkov
2022-07-06 20:47                           ` Manuel Giraud
2022-07-08  3:32                             ` Richard Stallman
2022-07-08  7:14                               ` Manuel Giraud
2022-07-08  7:22                                 ` Eli Zaretskii
2022-07-10  8:58                                   ` Manuel Giraud
2022-07-10 13:02                                     ` Lars Ingebrigtsen

Code repositories for project(s) associated with this public inbox

	https://git.savannah.gnu.org/cgit/emacs.git

This is a public inbox, see mirroring instructions
for how to clone and mirror all data and code used for this inbox;
as well as URLs for read-only IMAP folder(s) and NNTP newsgroup(s).