Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
The table of contents is too big for display.
Diff view
Diff view
  •  
  •  
  •  
2 changes: 1 addition & 1 deletion .coderabbit.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -6,7 +6,7 @@ tone_instructions: |
Provide clear, concise, and professional feedback focused on improving documentation clarity, grammar, and consistency.
Suggest improvements for readability and structure, and highlight any potential ambiguities.
reviews:
profile: "chill"
profile: "assertive"
request_changes_workflow: false
high_level_summary: true
poem: false
Expand Down
2 changes: 2 additions & 0 deletions .codio
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,8 @@
// Run button configuration
"commands": {
"Make": "clear && make html",
"Make Instructor": "clear && make html TYPE=instructor",
"Make Student": "clear && make html TYPE=student",
"Start Ungit":"ungit --port=4000 --ungitBindIp 0.0.0.0"
},
// Preview button configuration
Expand Down
2 changes: 1 addition & 1 deletion .github/workflows/deploy.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -10,7 +10,7 @@ jobs:
runs-on: ubuntu-latest
steps:
- name: Setup env
run: pip install sphinx==8.2.0 sphinxawesome-theme==5.3.2 sphinx-docsearch sphinx-sitemap sphinx_code_tabs recommonmark
run: pip install sphinx==8.2.0 sphinxawesome-theme==5.3.2 sphinx-docsearch==0.1.0 sphinx-sitemap==2.9.0 sphinx_code_tabs==0.5.5 recommonmark==0.7.1

- name: Checkout
uses: actions/checkout@v1
Expand Down
14 changes: 13 additions & 1 deletion Makefile
Original file line number Diff line number Diff line change
Expand Up @@ -13,10 +13,22 @@ help:

.PHONY: help Makefile

# Default TYPE if not provided: both (build student + instructor)
ifeq ($(TYPE),)
TYPE := both
endif

# Catch-all target: route all unknown targets to Sphinx using the new
# "make mode" option. $(O) is meant as a shortcut for $(SPHINXOPTS).
%: Makefile
rm -rf "$(BUILDDIR)"
ifeq ($(TYPE),student)
@$(SPHINXBUILD) -M $@ "student-$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O)
else ifeq ($(TYPE),instructor)
@$(SPHINXBUILD) -M $@ "$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O)

else ifeq ($(TYPE),both)
@$(SPHINXBUILD) -M $@ "student-$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O)
@$(SPHINXBUILD) -M $@ "$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O)
else
$(error Invalid TYPE='$(TYPE)'. Use TYPE=student, TYPE=instructor, or TYPE=both)
endif
6 changes: 5 additions & 1 deletion README.md
Original file line number Diff line number Diff line change
Expand Up @@ -8,7 +8,7 @@ If using Codio, put on the certified Python stack `Python Ubuntu 22.04 (pyenv)`.
### Install

```
pip install sphinx==8.2.0 sphinxawesome-theme==5.3.2 sphinx-docsearch sphinx-sitemap sphinx_code_tabs recommonmark
pip install sphinx==8.2.0 sphinxawesome-theme==5.3.2 sphinx-docsearch==0.1.0 sphinx-sitemap==2.9.0 sphinx_code_tabs==0.5.5 recommonmark==0.7.1
```

### Build
Expand All @@ -23,6 +23,10 @@ python3 -m sphinx source build

```
make html
# or
make html TYPE=instructor
# or
make html TYPE=student
```
If inside Codio, you can use the Make button on the Codio menu (Next to Preview)

Expand Down
34 changes: 19 additions & 15 deletions algolia-config.json
Original file line number Diff line number Diff line change
@@ -1,17 +1,21 @@
{
"index_name": "CodioDocs",
"sitemap_urls": [
"https://docs.codio.com/sitemap.xml",
"https://docs.codio.com/sitemap-student.xml"
],
"selectors": {
"lvl0": "main h1",
"lvl1": "main .section h2",
"lvl2": "main .section h3",
"lvl3": "main .section h4",
"lvl4": "main .section h5",
"lvl5": "main .section h6",
"text": "main .section p,main .section blockquote"
},
"only_content_level": true
"index_name": "CodioDocs",
"sitemap_urls": [
"https://docs.codio.com/sitemap.xml",
"https://docs.codio.com/sitemap-student.xml"
],
"start_urls": [
"https://docs.codio.com/",
"https://docs.codio.com/students/"
],
"only_content_level": true,
"selectors": {
"lvl0": "main h1",
"lvl1": "main h2",
"lvl2": "main h3",
"lvl3": "main h4",
"lvl4": "main h5",
"lvl5": "main h6",
"text": "main p, main li, main blockquote, main td"
}
}
241 changes: 241 additions & 0 deletions find_unused_images.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,241 @@
'''
python find_unused_images.py
python find_unused_images.py --delete
python find_unused_images.py --delete --yes
python find_unused_images.py --debug
'''

#!/usr/bin/env python3
import argparse
import csv
import os
import re
from pathlib import Path
from urllib.parse import urlparse

ROOT_DIRS = [
Path(r"source"),
Path(r"student-source"),
]

# IMAGE_EXTS = {".png", ".jpg", ".jpeg", ".gif", ".svg", ".webp"} # .svg for logos.
IMAGE_EXTS = {".png", ".jpg", ".jpeg", ".gif", ".webp"}

# Matches:
# .. image:: /path.png
# .. figure:: /path.png
# .. |Alias| image:: /path.png
# And when the directive appears inline (e.g., inside a table cell).
# Accept plain, "quoted", or 'quoted' paths so we handle spaces.
DIRECTIVE_RE = re.compile(
r"""
\.\.\s+ # leading '.. '
(?:\|[^|]+\|\s+)? # optional '|Alias| '
(?:image|figure)::\s+ # image:: or figure::
(?P<path>"[^"]+"|'[^']+'|\S+) # the path (quoted or non-space)
""",
re.IGNORECASE | re.VERBOSE,
)

SKIP_DIRS = {"_build", ".venv", "venv", "node_modules", ".git", "__pycache__"}

def is_url(s: str) -> bool:
try:
p = urlparse(s)
return bool(p.scheme) and bool(p.netloc)
except Exception:
return False

def common_parent(paths: list[Path]) -> Path:
parts = os.path.commonpath([str(p) for p in paths])
return Path(parts)

def strip_quotes(s: str) -> str:
if (s.startswith('"') and s.endswith('"')) or (s.startswith("'") and s.endswith("'")):
return s[1:-1]
return s

def normalize_ref(s: str) -> str:
# normalize backslashes, trim quotes, strip leading/trailing spaces
s = strip_quotes(s.strip()).replace("\\", "/")
return s

def rel_from_any_root(p: Path, roots_abs: list[Path]) -> tuple[Path, str] | None:
"""Return (root, relative_posix) if p is under any root; else None."""
for r in roots_abs:
try:
rel = p.relative_to(r).as_posix()
return r, rel
except ValueError:
continue
return None

def list_image_files(roots_abs: list[Path], debug=False) -> set[tuple[Path, str]]:
"""
Return a set of (root, rel_path) for all images under all roots.
"""
found: set[tuple[Path, str]] = set()
for root in roots_abs:
for dirpath, dirnames, filenames in os.walk(str(root)):
dirnames[:] = [d for d in dirnames if d not in SKIP_DIRS]
for fn in filenames:
if Path(fn).suffix.lower() in IMAGE_EXTS:
full = (Path(dirpath) / fn).resolve()
try:
rel = full.relative_to(root).as_posix()
found.add((root, rel))
except ValueError:
if debug:
print(f"[skip-not-under-root] {full}")
continue
if debug:
print(f"[debug] Found {len(found)} images on disk across {len(roots_abs)} root(s).")
for root, rel in list(sorted(found))[:10]:
print(f" - [{root.name}] {rel}")
return found

def resolve_reference(rst_file: Path, ref: str, roots_abs: list[Path]) -> tuple[Path, str] | None:
"""
Resolve an image/figure reference to (root, relative_posix) across multiple roots.
Strategy:
* Absolute (/img/foo.png): try each root/<rel>.
* Relative (img/foo.png or ../img/foo.png): resolve against rst_file and then map to a root.
* If file doesn't exist, still attempt to map path to a root by anchor (best-effort).
"""
if is_url(ref):
return None

ref = normalize_ref(ref)

if ref.startswith("/"):
rel = ref.lstrip("/")
for r in roots_abs:
cand = (r / rel).resolve()
if cand.exists():
return r, rel
for r in roots_abs:
try:
rst_file.relative_to(r)
return r, rel
except ValueError:
continue
return None

candidate = (rst_file.parent / ref)
try:
cand_abs = candidate.resolve()
except FileNotFoundError:
cand_abs = candidate.absolute()

mapped = rel_from_any_root(cand_abs, roots_abs)
if mapped:
return mapped

for r in roots_abs:
try:
rst_file.relative_to(r)
try:
rel = cand_abs.relative_to(r).as_posix()
return r, rel
except ValueError:
return r, Path(ref).as_posix()
except ValueError:
continue
return None

def parse_rst_image_refs(roots_abs: list[Path], debug=False) -> set[tuple[Path, str]]:
"""
Parse all .rst files under all roots and collect referenced images as (root, rel_path).
"""
refs: set[tuple[Path, str]] = set()
for root in roots_abs:
for dirpath, dirnames, filenames in os.walk(str(root)):
dirnames[:] = [d for d in dirnames if d not in SKIP_DIRS]
for fn in filenames:
if not fn.lower().endswith(".rst"):
continue
rst_path = Path(dirpath) / fn
try:
text = rst_path.read_text(encoding="utf-8")
except UnicodeDecodeError:
text = rst_path.read_text(encoding="latin-1")

for m in DIRECTIVE_RE.finditer(text):
raw = m.group("path")
raw = normalize_ref(raw)
if not any(raw.lower().endswith(ext) for ext in IMAGE_EXTS):
continue
resolved = resolve_reference(rst_path.resolve(), raw, roots_abs)
if resolved is not None:
refs.add(resolved)
elif debug:
print(f"[warn] Could not resolve: {raw} in {rst_path}")

if debug:
print(f"[debug] Found {len(refs)} image/figure references across {len(roots_abs)} root(s).")
for root, rel in list(sorted(refs))[:10]:
print(f" - [{root.name}] {rel}")
return refs

def write_csv(unused: list[tuple[Path, str]], csv_path: Path):
csv_path.parent.mkdir(parents=True, exist_ok=True)
with csv_path.open("w", newline="", encoding="utf-8") as f:
writer = csv.writer(f)
writer.writerow(["root", "image_path"]) # which root + rel path
for root, rel in unused:
writer.writerow([str(root), rel])
print(f"[info] CSV written: {csv_path}")

def delete_files(unused: list[tuple[Path, str]], yes=False):
if not unused:
print("[info] No unused images to delete.")
return
if not yes:
confirm = input(f"⚠️ Delete {len(unused)} unused images across all roots? (y/N): ").strip().lower()
if confirm != "y":
print("[info] Deletion canceled.")
return
deleted = 0
for root, rel in unused:
try:
(root / rel).unlink(missing_ok=True)
deleted += 1
except Exception as e:
print(f"[error] Could not delete [{root.name}] {rel}: {e}")
print(f"[info] Deleted {deleted} unused image(s).")

def main():
parser = argparse.ArgumentParser(
description="Find or delete unused images referenced via '.. image::', '.. figure::', or '.. |alias| image::' across multiple Sphinx roots."
)
parser.add_argument("--delete", action="store_true", help="Delete unused images instead of listing them")
parser.add_argument("--yes", action="store_true", help="Skip confirmation prompt when deleting")
parser.add_argument("--debug", action="store_true", help="Show debug info")
args = parser.parse_args()

roots_abs = [p.resolve() for p in ROOT_DIRS]
for r in roots_abs:
print(f"[info] Root directory: {r}")

images_on_disk = list_image_files(roots_abs, debug=args.debug) # set[(root, rel)]
referenced = parse_rst_image_refs(roots_abs, debug=args.debug) # set[(root, rel)]

referenced_rels = {rel for (_root, rel) in referenced}
unused = sorted([(root, rel) for (root, rel) in images_on_disk if rel not in referenced_rels],
key=lambda x: (str(x[0]), x[1]))

print(f"[result] Found {len(unused)} unused image(s) across all roots).")

out_csv = common_parent(roots_abs) / "unused_images.csv"

if args.delete:
delete_files(unused, yes=args.yes)
else:
write_csv(unused, out_csv)
if args.debug and unused:
print("First few unused images:")
for root, rel in unused[:10]:
print(f" - [{root.name}] {rel}")

if __name__ == "__main__":
main()
Binary file removed plag-button.png
Binary file not shown.
Binary file removed prefs-account-gh1.png
Binary file not shown.
Binary file removed source/_static/img/CodioLibTags.png
Binary file not shown.
Binary file removed source/_static/img/access-bower.png
Binary file not shown.
Binary file removed source/_static/img/accessgrades.png
Binary file not shown.
Binary file removed source/_static/img/account_billing.png
Binary file not shown.
Binary file removed source/_static/img/account_password.png
Binary file not shown.
Binary file removed source/_static/img/account_settings.png
Binary file not shown.
Binary file removed source/_static/img/actionarea.png
Binary file not shown.
Binary file removed source/_static/img/addFromLib.png
Binary file not shown.
Binary file removed source/_static/img/adjusted.png
Binary file not shown.
Binary file removed source/_static/img/anon-create.png
Binary file not shown.
Binary file removed source/_static/img/assessment.png
Binary file not shown.
Binary file removed source/_static/img/assessmentpoints.png
Binary file not shown.
Binary file removed source/_static/img/assessmenttoken.png
Binary file not shown.
Binary file removed source/_static/img/assign-module.png
Binary file not shown.
Binary file removed source/_static/img/authtoken.png
Binary file not shown.
Binary file removed source/_static/img/auto-transfer-total.png
Binary file not shown.
Binary file removed source/_static/img/autoComplete.png
Binary file not shown.
Binary file removed source/_static/img/autograde-test.png
Binary file not shown.
Binary file removed source/_static/img/bloomsTax.png
Binary file not shown.
Binary file removed source/_static/img/book-permissions.png
Binary file not shown.
Binary file removed source/_static/img/book_publish.png
Binary file not shown.
Binary file removed source/_static/img/book_stack_modified.png
Binary file not shown.
Binary file removed source/_static/img/book_stack_newstack.png
Binary file not shown.
Binary file removed source/_static/img/book_stack_newversion.png
Diff not rendered.
Binary file removed source/_static/img/book_stack_notmodified.png
Diff not rendered.
Binary file removed source/_static/img/bookmapping.png
Diff not rendered.
Binary file removed source/_static/img/bookpages.png
Diff not rendered.
Binary file removed source/_static/img/booksettings.png
Diff not rendered.
Binary file removed source/_static/img/booksettingspage.png
Diff not rendered.
Binary file removed source/_static/img/bookshowallpages.png
Diff not rendered.
Binary file removed source/_static/img/bookslist.png
Diff not rendered.
Binary file removed source/_static/img/bookupdate.png
Diff not rendered.
Binary file removed source/_static/img/bookupdate1.png
Diff not rendered.
Binary file removed source/_static/img/bookversion.png
Diff not rendered.
Binary file removed source/_static/img/bower-components-tree.png
Diff not rendered.
Binary file removed source/_static/img/bower-installable.png
Diff not rendered.
Binary file removed source/_static/img/bower-installed.png
Diff not rendered.
Binary file removed source/_static/img/bower-remove.png
Diff not rendered.
Binary file removed source/_static/img/bower-update.png
Diff not rendered.
Binary file removed source/_static/img/box_info.png
Diff not rendered.
Binary file removed source/_static/img/build.png
Diff not rendered.
Binary file removed source/_static/img/buildkeys.png
Diff not rendered.
Binary file removed source/_static/img/buildset2.png
Diff not rendered.
Binary file removed source/_static/img/buildsettings.png
Diff not rendered.
Binary file removed source/_static/img/ca-annotations-file.png
Diff not rendered.
Binary file removed source/_static/img/ca-collapse-after.png
Diff not rendered.
Binary file removed source/_static/img/ca-collapse-before.png
Diff not rendered.
Binary file removed source/_static/img/ca-embed-ide.png
Diff not rendered.
Binary file removed source/_static/img/ca-explore.png
Diff not rendered.
Binary file removed source/_static/img/ca-files.png
Diff not rendered.
Binary file removed source/_static/img/ca-overview.png
Diff not rendered.
Binary file removed source/_static/img/ca-popup-window.png
Diff not rendered.
Binary file removed source/_static/img/ca-readme.png
Diff not rendered.
Binary file removed source/_static/img/ca-video.png
Diff not rendered.
Binary file removed source/_static/img/changereleasegrades.png
Diff not rendered.
Binary file removed source/_static/img/chromecookies.png
Diff not rendered.
Binary file removed source/_static/img/class-releasegrades.png
Diff not rendered.
Binary file removed source/_static/img/class_add_module.png
Diff not rendered.
Binary file removed source/_static/img/class_addstudents.png
Diff not rendered.
Binary file removed source/_static/img/class_addteachers.png
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Binary file removed source/_static/img/class_administration/editunit.png
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Binary file removed source/_static/img/class_courses.png
Diff not rendered.
Binary file removed source/_static/img/class_create.png
Diff not rendered.
Binary file removed source/_static/img/class_dashboard.png
Diff not rendered.
Binary file removed source/_static/img/class_delete.png
Diff not rendered.
Binary file removed source/_static/img/class_export.png
Diff not rendered.
Binary file removed source/_static/img/class_exportlinks.png
Diff not rendered.
Binary file removed source/_static/img/class_grade.png
Diff not rendered.
Binary file removed source/_static/img/class_join.png
Diff not rendered.
Binary file removed source/_static/img/class_list.png
Diff not rendered.
Binary file removed source/_static/img/class_lti_export.png
Diff not rendered.
Binary file removed source/_static/img/class_projects.png
Diff not rendered.
Binary file removed source/_static/img/class_recent.png
Diff not rendered.
Binary file removed source/_static/img/class_releasegrades.png
Diff not rendered.
Binary file removed source/_static/img/class_setgrade.png
Diff not rendered.
Binary file removed source/_static/img/class_start.png
Diff not rendered.
Binary file removed source/_static/img/class_students.png
Diff not rendered.
Binary file removed source/_static/img/class_studentstab.png
Diff not rendered.
Binary file removed source/_static/img/class_view.png
Diff not rendered.
Binary file removed source/_static/img/class_viewcode.png
Diff not rendered.
Binary file removed source/_static/img/classcontacturl.png
Diff not rendered.
Binary file removed source/_static/img/classunitsettings.png
Diff not rendered.
Binary file removed source/_static/img/clone-settings-warning.png
Diff not rendered.
Binary file removed source/_static/img/clone-settings.png
Diff not rendered.
Binary file removed source/_static/img/code-folding.png
Diff not rendered.
Binary file removed source/_static/img/codeplayback/CodePlayback1.gif
Diff not rendered.
Binary file removed source/_static/img/codeplayback/CodePlayback2.gif
Diff not rendered.
Binary file removed source/_static/img/codesolution.png
Diff not rendered.
Binary file removed source/_static/img/codiofeedback.png
Diff not rendered.
Binary file removed source/_static/img/codioignore.png
Diff not rendered.
Binary file removed source/_static/img/codiomenu.png
Diff not rendered.
Binary file removed source/_static/img/color-preview.png
Diff not rendered.
Binary file removed source/_static/img/command-bar.png
Diff not rendered.
Binary file removed source/_static/img/commentcode.png
Diff not rendered.
Binary file removed source/_static/img/compiled-files.png
Diff not rendered.
Binary file removed source/_static/img/complexLayoutIcon.png
Diff not rendered.
Binary file removed source/_static/img/config.png
Diff not rendered.
Binary file removed source/_static/img/consent.png
Diff not rendered.
Binary file removed source/_static/img/console-create.png
Diff not rendered.
Binary file removed source/_static/img/console-createbutton.png
Diff not rendered.
Binary file removed source/_static/img/console-find.png
Diff not rendered.
Binary file removed source/img/CodioLibTags.png
Diff not rendered.
Binary file removed source/img/CreateAssessment.png
Diff not rendered.
Binary file removed source/img/EditAssessmsent.png
Diff not rendered.
Binary file removed source/img/access-bower.png
Diff not rendered.
Binary file removed source/img/account_password.png
Diff not rendered.
Binary file removed source/img/account_settings.png
Diff not rendered.
Binary file removed source/img/add-extension-button.png
Diff not rendered.
Binary file removed source/img/add-extension-url.png
Diff not rendered.
Binary file removed source/img/addFromLib.png
Diff not rendered.
Binary file removed source/img/assessment.png
Diff not rendered.
Binary file removed source/img/assign-module.png
Diff not rendered.
Binary file removed source/img/assignment-batch-update-setting.png
Diff not rendered.
Binary file removed source/img/authtoken.png
Diff not rendered.
Binary file removed source/img/auto-transfer-total.png
Diff not rendered.
Binary file removed source/img/book-permissions.png
Diff not rendered.
Binary file removed source/img/book_id.png
Diff not rendered.
Binary file removed source/img/book_publish.png
Diff not rendered.
Binary file removed source/img/book_stack_modified.png
Diff not rendered.
Binary file removed source/img/book_stack_newstack.png
Diff not rendered.
Binary file removed source/img/book_stack_newversion.png
Diff not rendered.
Binary file removed source/img/book_stack_notmodified.png
Diff not rendered.
Binary file removed source/img/bookmapping.png
Diff not rendered.
Binary file removed source/img/bookpages.png
Diff not rendered.
Binary file removed source/img/booksettings.png
Diff not rendered.
Binary file removed source/img/booksettingspage.png
Diff not rendered.
Binary file removed source/img/bookshowallpages.png
Diff not rendered.
Binary file removed source/img/bookupdate.png
Diff not rendered.
Binary file removed source/img/bookupdate1.png
Diff not rendered.
Binary file removed source/img/bookversion.png
Diff not rendered.
Binary file removed source/img/bower-components-tree.png
Diff not rendered.
Binary file removed source/img/bower-installable.png
Diff not rendered.
Binary file removed source/img/bower-installed.png
Diff not rendered.
Binary file removed source/img/bower-remove.png
Diff not rendered.
Binary file removed source/img/bower-update.png
Diff not rendered.
Binary file removed source/img/build.png
Diff not rendered.
Binary file removed source/img/buildkeys.png
Diff not rendered.
Binary file removed source/img/buildset2.png
Diff not rendered.
Binary file removed source/img/buildsettings.png
Diff not rendered.
Binary file removed source/img/bulk-setting-area.png
Diff not rendered.
Binary file removed source/img/ca-annotations-file.png
Diff not rendered.
Binary file removed source/img/ca-collapse-after.png
Diff not rendered.
Binary file removed source/img/ca-collapse-before.png
Diff not rendered.
Binary file removed source/img/ca-embed-ide.png
Diff not rendered.
Binary file removed source/img/ca-explore.png
Diff not rendered.
Binary file removed source/img/ca-files.png
Diff not rendered.
Binary file removed source/img/ca-overview.png
Diff not rendered.
Binary file removed source/img/ca-popup-window.png
Diff not rendered.
Binary file removed source/img/ca-readme.png
Diff not rendered.
Binary file removed source/img/ca-video.png
Diff not rendered.
Binary file removed source/img/chromecookies.png
Diff not rendered.
Binary file removed source/img/class-releasegrades.png
Diff not rendered.
Binary file removed source/img/class_add_module.png
Diff not rendered.
Binary file removed source/img/class_addstudents.png
Diff not rendered.
Binary file removed source/img/class_addteachers.png
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Diff not rendered.
Binary file removed source/img/class_administration/editassignment.png
Diff not rendered.
Binary file removed source/img/class_administration/editunit.png
Diff not rendered.
Diff not rendered.
Diff not rendered.
Binary file removed source/img/class_administration/indunitupdate.png
Diff not rendered.
Diff not rendered.
Binary file removed source/img/class_administration/profilepic.png
Diff not rendered.
Diff not rendered.
Binary file removed source/img/class_administration/stackupdate.png
Diff not rendered.
Binary file removed source/img/class_administration/unit-settings-1.png
Diff not rendered.
Binary file removed source/img/class_administration/unit-settings-2.png
Diff not rendered.
Binary file removed source/img/class_administration/unit-settings-dd.png
Diff not rendered.
Diff not rendered.
Binary file removed source/img/class_administration/updatedunits.png
Diff not rendered.
Binary file removed source/img/class_administration/updateunit.png
Diff not rendered.
Binary file removed source/img/class_administration/updateunitadhoc.png
Diff not rendered.
Binary file removed source/img/class_administration/upgradecourse.png
Diff not rendered.
Diff not rendered.
Binary file removed source/img/class_courses.png
Diff not rendered.
Binary file removed source/img/class_create.png
Diff not rendered.
Binary file removed source/img/class_dashboard.png
Diff not rendered.
Binary file removed source/img/class_grade.png
Diff not rendered.
Binary file removed source/img/class_join.png
Diff not rendered.
Binary file removed source/img/class_list.png
Diff not rendered.
Binary file removed source/img/class_projects.png
Diff not rendered.
Binary file removed source/img/class_recent.png
Diff not rendered.
Binary file removed source/img/class_releasegrades.png
Diff not rendered.
Binary file removed source/img/class_setgrade.png
Diff not rendered.
Binary file removed source/img/class_start.png
Diff not rendered.
Binary file removed source/img/class_students.png
Diff not rendered.
Binary file removed source/img/class_studentstab.png
Diff not rendered.
Binary file removed source/img/class_view.png
Diff not rendered.
Binary file removed source/img/class_viewcode.png
Diff not rendered.
Binary file removed source/img/classunitsettings.png
Diff not rendered.
Binary file removed source/img/clone-settings-warning.png
Diff not rendered.
Binary file removed source/img/clone-settings.png
Diff not rendered.
Binary file removed source/img/coach-extensions-repo.png
Diff not rendered.
Binary file removed source/img/coach-publish-release.png
Diff not rendered.
Binary file removed source/img/coach-release-repo.png
Diff not rendered.
Binary file removed source/img/code-folding.png
Diff not rendered.
Binary file removed source/img/codesolution.png
Diff not rendered.
Binary file removed source/img/codiomenu.png
Diff not rendered.
Binary file removed source/img/compiled-files.png
Diff not rendered.
Binary file removed source/img/complexLayoutIcon.png
Diff not rendered.
Binary file removed source/img/config.png
Diff not rendered.
Binary file removed source/img/console-create.png
Diff not rendered.
Binary file removed source/img/console-createbutton.png
Diff not rendered.
Binary file removed source/img/console-find.png
Diff not rendered.
Binary file removed source/img/console-screen-desc.png
Diff not rendered.
Binary file removed source/img/console-screen.png
Diff not rendered.
Binary file removed source/img/console-screen1.png
Diff not rendered.
Binary file removed source/img/contactus.png
Diff not rendered.
Binary file removed source/img/course_create.png
Diff not rendered.
Binary file removed source/img/course_edit.png
Diff not rendered.
Binary file removed source/img/coursepermissions.png
Diff not rendered.
Binary file removed source/img/courses.png
Diff not rendered.
Binary file removed source/img/courses_recommend.png
Diff not rendered.
Binary file removed source/img/courses_small.png
Diff not rendered.
Binary file removed source/img/coursestab.png
Diff not rendered.
Binary file removed source/img/cp-basic.png
Diff not rendered.
Binary file removed source/img/cp-custom.png
Diff not rendered.
Binary file removed source/img/cp-filetree.png
Diff not rendered.
Binary file removed source/img/create-sftp.png
Diff not rendered.
Binary file removed source/img/createorg.png
Diff not rendered.
Binary file removed source/img/crosssitetracking.png
Diff not rendered.
Diff not rendered.
Binary file removed source/img/curriculum_mapped_content/courses.png
Diff not rendered.
Binary file removed source/img/customisecodio.png
Diff not rendered.
Binary file removed source/img/dashboard.png
Diff not rendered.
Binary file removed source/img/deadlineadjust.png
Diff not rendered.
Binary file removed source/img/deletetab.png
Diff not rendered.
Binary file removed source/img/deleteunit.png
Diff not rendered.
Binary file removed source/img/deploy-basepath.png
Diff not rendered.
Binary file removed source/img/deploy-button.png
Diff not rendered.
Binary file removed source/img/deploy-deploy.png
Diff not rendered.
Binary file removed source/img/deploy-details.png
Diff not rendered.
Binary file removed source/img/deploy-ftp.png
Diff not rendered.
Binary file removed source/img/deploy-history.png
Diff not rendered.
Binary file removed source/img/deploy-menu.png
Diff not rendered.
Binary file removed source/img/deploy-nj.png
Diff not rendered.
Binary file removed source/img/deploy-rsync.png
Diff not rendered.
Binary file removed source/img/deploy-sftp.png
Diff not rendered.
Binary file removed source/img/deploy-specific.png
Diff not rendered.
Binary file removed source/img/descriptiontext.png
Diff not rendered.
Binary file removed source/img/disable_enable_module.png
Diff not rendered.
Binary file removed source/img/docmenu.png
Diff not rendered.
Binary file removed source/img/dot-icon-16x16.png
Diff not rendered.
Binary file removed source/img/doubleTags2.png
Diff not rendered.
Binary file removed source/img/download.png
Diff not rendered.
Binary file removed source/img/downloadcsv_module.png
Diff not rendered.
Binary file removed source/img/downloadcsv_unit.png
Diff not rendered.
Binary file removed source/img/dyslexic.png
Diff not rendered.
Binary file removed source/img/editsettings.png
Diff not rendered.
Binary file removed source/img/edu.png
Diff not rendered.
Binary file removed source/img/exsistinguserowner.png
Diff not rendered.
Binary file removed source/img/firefoxcookies.png
Diff not rendered.
Binary file removed source/img/flodesolution.png
Diff not rendered.
Loading