diff --git a/Dockerfile b/Dockerfile new file mode 100644 index 0000000..7b4c954 --- /dev/null +++ b/Dockerfile @@ -0,0 +1,60 @@ +# Use an official Python runtime based on Debian 10 "buster" as a parent image. +FROM python:3.8.1-slim-buster + +# Add user that will be used in the container. +RUN useradd wagtail + +# Port used by this container to serve HTTP. +EXPOSE 8000 + +# Set environment variables. +# 1. Force Python stdout and stderr streams to be unbuffered. +# 2. Set PORT variable that is used by Gunicorn. This should match "EXPOSE" +# command. +ENV PYTHONUNBUFFERED=1 \ + PORT=8000 + +# Install system packages required by Wagtail and Django. +RUN apt-get update --yes --quiet && apt-get install --yes --quiet --no-install-recommends \ + build-essential \ + libpq-dev \ + libmariadbclient-dev \ + libjpeg62-turbo-dev \ + zlib1g-dev \ + libwebp-dev \ + && rm -rf /var/lib/apt/lists/* + +# Install the application server. +RUN pip install "gunicorn==20.0.4" + +# Install the project requirements. +COPY requirements.txt / +RUN pip install -r /requirements.txt + +# Use /app folder as a directory where the source code is stored. +WORKDIR /app + +# Set this directory to be owned by the "wagtail" user. This Wagtail project +# uses SQLite, the folder needs to be owned by the user that +# will be writing to the database file. +RUN chown wagtail:wagtail /app + +# Copy the source code of the project into the container. +COPY --chown=wagtail:wagtail . . + +# Use user "wagtail" to run the build commands below and the server itself. +USER wagtail + +# Collect static files. +RUN python manage.py collectstatic --noinput --clear + +# Runtime command that executes when "docker run" is called, it does the +# following: +# 1. Migrate the database. +# 2. Start the application server. +# WARNING: +# Migrating database at the same time as starting the server IS NOT THE BEST +# PRACTICE. The database should be migrated manually or using the release +# phase facilities of your hosting platform. This is used only so the +# Wagtail instance can be started with a simple "docker run" command. +CMD set -xe; python manage.py migrate --noinput; gunicorn unblocklife.wsgi:application diff --git a/Pipfile b/Pipfile new file mode 100644 index 0000000..f111262 --- /dev/null +++ b/Pipfile @@ -0,0 +1,18 @@ +[[source]] +url = "https://pypi.org/simple" +verify_ssl = true +name = "pypi" + +[packages] +django = "*" +tzdata = "*" # Fixes "zoneinfo._common.ZoneInfoNotFoundError" on docker server +wagtail = "*" +whitenoise = "*" + +[dev-packages] +black = "*" +flake8 = "*" +isort = "*" + +[requires] +python_version = "3.10" diff --git a/courses/__init__.py b/courses/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/courses/admin.py b/courses/admin.py new file mode 100644 index 0000000..8c38f3f --- /dev/null +++ b/courses/admin.py @@ -0,0 +1,3 @@ +from django.contrib import admin + +# Register your models here. diff --git a/courses/apps.py b/courses/apps.py new file mode 100644 index 0000000..019ba91 --- /dev/null +++ b/courses/apps.py @@ -0,0 +1,6 @@ +from django.apps import AppConfig + + +class CoursesConfig(AppConfig): + default_auto_field = 'django.db.models.BigAutoField' + name = 'courses' diff --git a/courses/models.py b/courses/models.py new file mode 100644 index 0000000..3a657c3 --- /dev/null +++ b/courses/models.py @@ -0,0 +1,166 @@ +from django.db import models +from wagtail.models import Page +from django.shortcuts import redirect, render +from wagtail.fields import RichTextField +from wagtail.admin.panels import FieldPanel, MultiFieldPanel +from wagtail.search import index +from wagtail.fields import StreamField +from wagtail import blocks +from wagtail.images.blocks import ImageChooserBlock +from modelcluster.contrib.taggit import ClusterTaggableManager +from modelcluster.fields import ParentalKey +from taggit.models import Tag, TaggedItemBase +from home.blocks import BaseStreamBlock, TrainerBlock +from wagtail.contrib.routable_page.models import RoutablePageMixin, route +from wagtail.admin.filters import WagtailFilterSet + + +class CoursesIndexPage(RoutablePageMixin, Page): + max_count=1 + summary = models.CharField(blank=True, max_length=255) + image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Landscape mode only; horizontal width between 1000px and 3000px.", + ) + + template = "courses/courses_index_page.html" + + content_panels = Page.content_panels + [ + FieldPanel('summary'), + FieldPanel("image") + ] + + def get_context(self, request, *args, **kwargs): + context = super().get_context(request, *args, **kwargs) + context['course_entries'] = CoursesPage.objects.child_of(self).live().order_by('-date') + return context + + subpage_types = ["CoursesPage"] + + def children(self): + return self.get_children().specific().live() + + @route(r"^tags/$", name="tag_archive") + @route(r"^tags/([\w-]+)/$", name="tag_archive") + def tag_archive(self, request, tag=None): + try: + tag = Tag.objects.get(slug=tag) + except Tag.DoesNotExist: + if tag: + msg = 'There are no Course Pagess tagged with "{}"'.format(tag) + messages.add_message(request, messages.INFO, msg) + return redirect(self.url) + course_entries = self.get_posts(tag=tag) + context = {"self": self, "tag": tag, "course_entries": course_entries} + return render(request, "courses/courses_index_page.html", context) + + def serve_preview(self, request, mode_name): + return self.serve(request) + + # Returns the child CoursePage objects for this CoursePageIndex. + # If a tag is used then it will filter the posts by tag. + def get_posts(self, tag=None): + posts = CoursesPage.objects.live().descendant_of(self) + if tag: + posts = posts.filter(tags=tag) + return posts + # Returns the list of Tags for all child posts of this CoursePage. + def get_child_tags(self): + tags = [] + for post in self.get_posts(): + # Not tags.append() because we don't want a list of lists + tags += post.get_tags + tags = sorted(set(tags)) + return tags + + + +class CoursesPageTag(TaggedItemBase): + """ + This model allows us to create a many-to-many relationship between + the CoursePage object and tags. There's a longer guide on using it at + https://docs.wagtail.org/en/stable/reference/pages/model_recipes.html#tagging + """ + + content_object = ParentalKey( + "CoursesPage", related_name="tagged_items", on_delete=models.CASCADE + ) + + + + + + +class CoursesPage(Page): + author = models.CharField(max_length=255) + date = models.DateField("Post date") + summary = models.CharField(max_length=1000) + start_date = models.DateField(null=True, help_text="Schedule Start Date") + end_date = models.DateField( null=True, help_text="Schedule End Date") + feed_image = models.ForeignKey( + 'wagtailimages.Image', + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name='+' + ) + body = StreamField( BaseStreamBlock(), verbose_name="Page body", blank=True, use_json_field=True) + trainers = StreamField( TrainerBlock(), verbose_name="Trainers", blank=True, use_json_field=True) + + tags = ClusterTaggableManager(through=CoursesPageTag, blank=True) + + search_fields = Page.search_fields + [ + index.SearchField('summary'), + index.SearchField('author'), + index.SearchField('body'), + index.SearchField('trainers'), + ] + + content_panels = Page.content_panels + [ + FieldPanel('trainers'), + FieldPanel('date'), + FieldPanel('summary'), + FieldPanel('start_date'), + FieldPanel('end_date'), + FieldPanel('body'), + FieldPanel('author'), + FieldPanel("tags"), + ] + panels = [ + FieldPanel('start_date'), + ] + + + promote_panels = [ + MultiFieldPanel(Page.promote_panels, "Common page configuration"), + FieldPanel('feed_image'), + ] + + @property + def get_tags(self): + """ + Similar to the authors function above we're returning all the tags that + are related to the course page into a list we can access on the template. + We're additionally adding a URL to access CoursePage objects with that tag + """ + tags = self.tags.all() + base_url = self.get_parent().url + for tag in tags: + tag.url = f"{base_url}tags/{tag.slug}/" + return tags + + # Specifies parent to CoursePage as being CourseIndexPages + parent_page_types = ["CoursesIndexPage"] + + # Specifies what content types can exist as children of CoursePage. + # Empty list means that no child content types are allowed. + subpage_types = [] + +class CoursesPageFillterSet(WagtailFilterSet): + class Meta: + model = CoursesPage + fields = ["start_date"] diff --git a/courses/templates/courses/courses_index_page.html b/courses/templates/courses/courses_index_page.html new file mode 100644 index 0000000..941e7bb --- /dev/null +++ b/courses/templates/courses/courses_index_page.html @@ -0,0 +1,54 @@ +{% extends "base.html" %} + +{% load wagtailcore_tags wagtailimages_tags %} + +{% block body_class %}template-blogindexpage{% endblock %} + +{% block content %} + +
+ +{{ page.summary }}
+ +by + + {{ page.author }} + on + +
+Schedule
+Start Date:
+End Date:
+bunch of techncial folks
\", \"id\": \"dbb667bd-e974-4433-9145-080fc9062296\"}]"}}, {"model": "home.standardpage", "pk": 8, "fields": {"introduction": "I am privacy Policy", "image": 4, "body": "[{\"type\": \"paragraph_block\", \"value\": \"We, at Info Edge (India) Limited herein referred to as IEIL and our affiliated companies worldwide, are committed to respecting your online privacy and recognize your need for appropriate protection and management of personally identifiable information (\\\"Personal Information\\\") you share with us, in-line with the applicable data protection laws and regulations.
This Policy is subject to the terms of the Site Policy (Terms of Use) of Shiksha.com and the Application. This policy applies to those who register on the Platform (as defined in the Terms of Use) provided by the Shiksha.com, in connection with use of our services, or whose information Shiksha.com otherwise receives in connection with its services (such as but not limited to contact information of individuals associated with Shiksha.com including partner colleges/ educational institutes etc.)
Personal information (PI) - means any information relating to an identified or identifiable living person. In particular using a common identifier such as a name, an identification number, location data, an online identifier or one or more factors specific to the physical, physiological, genetic, mental, economic, cultural or social identity of that natural person or any other piece of information as per applicable laws and regulations.
Core Purpose - The Platform is made available for use to help students get details, discover & research on colleges, courses and exams of their interest and for allied services related thereto. Platform also helps connect colleges/educational institutes/coaching centres etc. with prospective students who may be of interest to them.User's contactable information will be shared with Colleges/Educational Institutes/coaching centres etc either if they have shown interest in that Colleges/Educational Institutes/coaching centres etc or they have shortlisted the user as potential candidate for admission.
Study Abroad section of Platform also assists students in completing and submitting their applications to universities abroad. (\\u201cPurpose\\u201d).
We collect information about you or your usage to provide better services to all of our users. We collect information in the following ways:
Shiksha.com may process your Personal Information for the following purposes:
Some of our Web pages utilize \\\"cookies\\\" and other tracking technologies. A \\\"cookie\\\" is a small text file that may be used, for example, to collect your information about Website activity. Some cookies and other technologies may serve to recall Personal Information previously indicated by a Web user. Most browsers allow you to control cookies, including whether or not to accept them and how to remove them.
You may set most browsers to notify you if you receive a cookie, or you may choose to block cookies with your browser, but please note that if you choose to erase or block your cookies, you will need to re-enter your original user ID and password to gain access to certain parts of the Web site and some sections/features of the site may not work.
Tracking technologies may record information such as Internet domain and host names; Internet protocol (IP) addresses; browser software and operating system types; clickstream patterns; and dates and times that our site has accessed.
Our use of cookies and other tracking technologies allows us to improve our Web site and your Web experience. We may also analyse information that does not contain Personal Information for trends and statistics.
For more information about our use of cookies please refer to our Cookie Policy.
Third parties provide certain services available on Shiksha.com on IEIL\\u2019s behalf. Shiksha.com may provide information, including Personal Information, that \\u2018Shiksha.com collects on the Web to third-party service providers to help us deliver programs, products, information, and services. Service providers are also an important means by which Shiksha.com maintains its Web site and mailing lists. Shiksha.com will take reasonable steps to ensure that these third-party service providers are obligated to protect Personal Information on Shiksha.com behalf.
Shiksha.com does not intend to transfer Personal Information without your consent to third parties unless such transfer is required for providing relevant services or for purposes legal purposes.
When you are in a relationship with Shiksha.com, your personal information may be transferred to geographies outside India, for the purposes mentioned in this policy or to their local service providers for support in the pursuance of such purposes. Transfers outside India are covered by standard data protection laws.
Please be aware that Shiksha.com sometimes contains links to other sites that are not governed by this privacy policy. Visitors to Our Site may be directed to third-party sites for more information, such as advertisers, blogs, content sponsorships, vendor services, social networks, etc.
Shiksha.com makes no representations or warranties regarding how your information is stored or used on third-party servers. We recommend that you review the privacy statement of each third-party site linked from Our Site to determine their use of your personal information.
To use the Site you agree that you must be of minimum age (described in this paragraph below) or older.
In case you are resident of the European Union, the minimum age for these purposes shall be 16, however if local laws require that you must be older in order for Shiksha.com to lawfully provide the services on the Site to you then that older age shall apply as the applicable minimum age.
In all jurisdictions outside the European Union, if you are under the age of 18 or the age of majority in your jurisdiction, you must use Shiksha.com under the supervision of your parent, legal guardian or responsible adult.
We restrict access to your Personal Information to employees who we believe reasonably need to know/or that information in order to fulfil their jobs to provide, operate, develop, or improve our products or services.
Shiksha.com does not rent, sell, or share personal information about you with other people or non-affiliated companies except:
Shiksha.com displays targeted advertisements based on personal information. Advertisers (including ad serving for example, women aged 18-24 from a particular geographic area.
Your personal information processed by Shiksha.com are kept in a form which permits your identification for no longer than is necessary for the purposes for which the personal information are processed in line with legal, regulatory, contractual or statutory obligations as applicable.
At the expiry of such periods, your personal information will be archived to comply with legal/contractual retention obligations or in accordance with applicable statutory limitation periods.
To the extent permitted by law, Shiksha.com may record and monitor your communications with us to ensure compliance with our legal and regulatory obligations and our internal policies. This may include the recording of telephone conversations.
You may have the right to invoke certain rights (as per applicable laws and regulations such as GDPR) in relation to your personal information being processed by the Platform.
The Platform may be allowed by law, in particular in case of excessive or manifestly unfounded request, to charge a fee for fulfilling your request, subject to applicable conditions.
You are legally entitled to request details of the personal information we may be holding about you. The Company provides you the ability to keep your personal information accurate and up-to-date. If at any time you would like to rectify, erase or restrict the processing of your personal information, or you would like to obtain confirmation whether or not your personal information is processed by it, access your personal information, exercise your right to data portability or withdraw your consent to processing, please contact us.
You are entitled to lodge a complaint with a competent Data Protection Authority where existing, concerning the Platform\\u2019s compliance with the applicable data protection laws and regulation.
The security and confidentiality of your Personal Data is important to us and Shiksha.com has invested significant resources to protect the safekeeping and confidentiality of your personal data. When using external service providers acting as processors, we require that they adhere to the same standards as Shiksha.com. Regardless of where your personal information is transferred or stored, we take all steps reasonably necessary to ensure that personal data is kept secure.
We have physical, electronic, and procedural safeguards that comply with the laws prevalent in India to protect personal information about you. We seek to ensure compliance with the requirements of the Information Technology Act, 2000 and Rules made there under to ensure the protection and preservation of your privacy.
Shiksha.com operates channels, pages and accounts on some social media sites to inform, assist and engage with you. Shiksha.com monitors and records comments and posts made on these channels about Shiksha.com in order to improve its products and services. Please note that you must not communicate with Shiksha.com through such social media sites the following information:
Shiksha.com is not responsible for any information posted on those sites other than the information posted by its employees on its behalf. Shiksha.com is only responsible for its own use of the personal data received through such sites
Shiksha.com reserves the right to update, change or modify this policy at any time. The policy shall come to effect from the date of such update, change or modification.
Shiksha.com shall not be liable for any loss or damage sustained by reason of any disclosure (inadvertent or otherwise) of any information concerning the user's account and / or information relating to or regarding online transactions using credit cards / debit cards and / or their verification process and particulars nor for any error, omission or inaccuracy with respect to any information so disclosed and used whether or not in pursuance of a legal process or otherwise. Shiksha.com does not store any Credit / Debit card details.
Any other personal information shared by you which is not asked by Shiksha.com during registration, either mandatorily or optionally; accounts to wilful and intentional furnishing; and Shiksha.com will not be liable for breach of such information.
Shiksha is neither affiliated with nor endorsed by any government organization. The Shiksha app doesn\\u2019t represent any government entity. The Shiksha team sources information about colleges & exams from their respective official websites. We try to put our best effort to make sure that the information is genuine and updated regularly.
If you have any questions regarding this privacy policy or the protection of your personal data, please contact IEIL\\u2019s Data Protection Officer at the following:
Data Protection Officer/ Grievance OfficerInfo Edge (India) LimitedNoida GF-12A, Meghdoot, Nehru Place, New DelhiEmail: privacy@infoedge.com
\", \"id\": \"d201a5c0-9f58-4a7c-a1f1-d053f86b681b\"}]"}}, {"model": "home.homepage", "pk": 3, "fields": {"image": 4, "hero_text": "We help craft the finance needs", "hero_cta": "Learn More", "hero_cta_link": 4, "body": "[]", "promo_image": 4, "promo_title": "Detailed Statistics of your Company", "promo_text": "Praesent imperdiet, tellus et euismod euismod, risus lorem euismod erat, at finibus neque odio quis metus. Donec vulputate arcu quam. Morbi quis tincidunt ligula. Sed rutrum tincidunt pretium. Mauris auctor, purus a pulvinar fermentum, odio dui vehicula lorem, nec pharetra justo risus quis mi. Ut ac ex sagittis, viverra nisl vel, rhoncus odio.
", "featured_section_1_title": "", "featured_section_1": null, "featured_section_2_title": "", "featured_section_2": null, "featured_section_3_title": "", "featured_section_3": null}}, {"model": "home.formfield", "pk": 1, "fields": {"sort_order": 0, "clean_name": "name", "label": "Name", "field_type": "singleline", "required": true, "choices": "", "default_value": "", "help_text": "", "page": 7}}, {"model": "home.formpage", "pk": 7, "fields": {"to_address": "", "from_address": "info@dravate.com", "subject": "Thank you for Writing Us!", "image": 2, "body": "[{\"type\": \"paragraph_block\", \"value\": \"I am Contact Form
\", \"id\": \"fa17873b-466a-4aa4-8327-63f26de1b796\"}]", "thank_you_text": "Thank you
"}}, {"model": "home.sitesettings", "pk": 1, "fields": {"site": 2, "title_suffix": "Mutual Life"}}, {"model": "home.unblocklifelogo", "pk": 1, "fields": {"name": "Unblocklife Logo", "logo": 3}}, {"model": "courses.coursesindexpage", "pk": 4, "fields": {"summary": "I am Finance Courses", "image": 4}}, {"model": "courses.coursespagetag", "pk": 7, "fields": {"tag": 2, "content_object": 5}}, {"model": "courses.coursespage", "pk": 5, "fields": {"author": "Sopan Shewale", "date": "2024-07-17", "summary": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": 4, "body": "[{\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 1: Introduction and Balance Sheet\", \"size\": \"h2\"}, \"id\": \"d3eb94de-72c9-4203-aa3f-f406de8d8715\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 2: Accrual Accounting and the Income Statement\", \"size\": \"h2\"}, \"id\": \"ef43ad62-114e-4d3b-95ec-7e9c81eef170\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"49ae9496-5f62-4577-8264-b5d78f36bf53\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 3: Cash Flows\", \"size\": \"h2\"}, \"id\": \"7bd637c3-badc-42e4-ab34-f2acb5ffc9d1\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"5767cbd5-8498-4348-8d06-749909227b51\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 4: Ratio Analysis and Final Exam\", \"size\": \"h2\"}, \"id\": \"2fa2155d-2265-4fe6-833e-a4d2ed522ffd\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"09d0b715-208a-42c2-8fb8-efcd4297bfe7\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]"}}, {"model": "wagtailforms.formsubmission", "pk": 1, "fields": {"form_data": {"name": "SOpan"}, "page": 7, "submit_time": "2024-07-17T09:41:40.577Z"}}, {"model": "wagtailforms.formsubmission", "pk": 2, "fields": {"form_data": {"name": "SOpan"}, "page": 7, "submit_time": "2024-07-17T09:42:04.411Z"}}, {"model": "wagtailforms.formsubmission", "pk": 3, "fields": {"form_data": {"name": "SOpan"}, "page": 7, "submit_time": "2024-07-17T09:42:22.236Z"}}, {"model": "wagtailforms.formsubmission", "pk": 4, "fields": {"form_data": {"name": "SOpan"}, "page": 7, "submit_time": "2024-07-17T09:42:42.222Z"}}, {"model": "wagtailforms.formsubmission", "pk": 5, "fields": {"form_data": {"name": "SOpan"}, "page": 7, "submit_time": "2024-07-17T09:43:11.823Z"}}, {"model": "wagtailforms.formsubmission", "pk": 6, "fields": {"form_data": {"name": "SOpan"}, "page": 7, "submit_time": "2024-07-17T09:43:22.938Z"}}, {"model": "wagtailforms.formsubmission", "pk": 7, "fields": {"form_data": {"name": "Rajendra Sopan Jori"}, "page": 7, "submit_time": "2024-07-17T09:44:05.513Z"}}, {"model": "wagtailredirects.redirect", "pk": 1, "fields": {"old_path": "/finance-courses", "site": 2, "is_permanent": true, "redirect_page": 4, "redirect_page_route_path": "", "redirect_link": "", "automatically_created": true, "created_at": "2024-07-17T08:07:05.152Z"}}, {"model": "wagtailimages.image", "pk": 1, "fields": {"collection": 1, "title": "unblock_logo", "file": "original_images/unblock_logo.png", "width": 512, "height": 512, "created_at": "2024-07-16T10:36:16.306Z", "uploaded_by_user": 1, "focal_point_x": null, "focal_point_y": null, "focal_point_width": null, "focal_point_height": null, "file_size": 25837, "file_hash": "7cea6d60cbdeda300885c7f94a3beac7d07b9399"}}, {"model": "wagtailimages.image", "pk": 2, "fields": {"collection": 1, "title": "unblock_logo", "file": "original_images/unblock_logo_gUJrKCF.png", "width": 397, "height": 299, "created_at": "2024-07-16T10:50:53.906Z", "uploaded_by_user": 1, "focal_point_x": null, "focal_point_y": null, "focal_point_width": null, "focal_point_height": null, "file_size": 24215, "file_hash": "801f2b3d4b266f720ae8ffedd8d392445c437906"}}, {"model": "wagtailimages.image", "pk": 3, "fields": {"collection": 1, "title": "unblock_logo", "file": "original_images/unblock_logo_Ij6Gvyj.png", "width": 172, "height": 163, "created_at": "2024-07-16T11:22:29.850Z", "uploaded_by_user": 1, "focal_point_x": null, "focal_point_y": null, "focal_point_width": null, "focal_point_height": null, "file_size": 16154, "file_hash": "cf5bbeab42158e8dbbe2c7e335b54019eddb6293"}}, {"model": "wagtailimages.image", "pk": 4, "fields": {"collection": 1, "title": "cheerful-speaker-talking-looking-distance", "file": "original_images/unblocklife_hero.jpg", "width": 1000, "height": 667, "created_at": "2024-07-16T12:34:19.777Z", "uploaded_by_user": 1, "focal_point_x": null, "focal_point_y": null, "focal_point_width": null, "focal_point_height": null, "file_size": 456549, "file_hash": "5ac18611dc995988cc04033011ed98d04e3319e0"}}, {"model": "wagtailimages.image", "pk": 5, "fields": {"collection": 1, "title": "sopan_shewale", "file": "original_images/sopan_shewale.jpeg", "width": 512, "height": 512, "created_at": "2024-07-17T08:34:19.761Z", "uploaded_by_user": 1, "focal_point_x": null, "focal_point_y": null, "focal_point_width": null, "focal_point_height": null, "file_size": 22596, "file_hash": "7d9dcfee95c35c934878eaa367eae51d538ebe9e"}}, {"model": "wagtailimages.rendition", "pk": 1, "fields": {"filter_spec": "max-165x165", "file": "images/unblock_logo.max-165x165.png", "width": 165, "height": 165, "focal_point_key": "", "image": 1}}, {"model": "wagtailimages.rendition", "pk": 2, "fields": {"filter_spec": "fill-125x125", "file": "images/unblock_logo.2e16d0ba.fill-125x125.png", "width": 125, "height": 125, "focal_point_key": "2e16d0ba", "image": 1}}, {"model": "wagtailimages.rendition", "pk": 3, "fields": {"filter_spec": "fill-256x256", "file": "images/unblock_logo.2e16d0ba.fill-256x256.png", "width": 256, "height": 256, "focal_point_key": "2e16d0ba", "image": 1}}, {"model": "wagtailimages.rendition", "pk": 4, "fields": {"filter_spec": "fill-512x512", "file": "images/unblock_logo.2e16d0ba.fill-512x512.png", "width": 512, "height": 512, "focal_point_key": "2e16d0ba", "image": 1}}, {"model": "wagtailimages.rendition", "pk": 5, "fields": {"filter_spec": "fill-128x128", "file": "images/unblock_logo.2e16d0ba.fill-128x128.png", "width": 128, "height": 128, "focal_point_key": "2e16d0ba", "image": 1}}, {"model": "wagtailimages.rendition", "pk": 6, "fields": {"filter_spec": "max-165x165", "file": "images/unblock_logo_gUJrKCF.max-165x165.png", "width": 165, "height": 124, "focal_point_key": "", "image": 2}}, {"model": "wagtailimages.rendition", "pk": 7, "fields": {"filter_spec": "fill-128x128", "file": "images/unblock_logo_gUJrKCF.2e16d0ba.fill-128x128.png", "width": 128, "height": 128, "focal_point_key": "2e16d0ba", "image": 2}}, {"model": "wagtailimages.rendition", "pk": 8, "fields": {"filter_spec": "fill-256x256", "file": "images/unblock_logo_gUJrKCF.2e16d0ba.fill-256x256.png", "width": 256, "height": 256, "focal_point_key": "2e16d0ba", "image": 2}}, {"model": "wagtailimages.rendition", "pk": 9, "fields": {"filter_spec": "max-165x165", "file": "images/unblock_logo_Ij6Gvyj.max-165x165.png", "width": 165, "height": 156, "focal_point_key": "", "image": 3}}, {"model": "wagtailimages.rendition", "pk": 10, "fields": {"filter_spec": "fill-256x256", "file": "images/unblock_logo_Ij6Gvyj.2e16d0ba.fill-256x256.png", "width": 164, "height": 163, "focal_point_key": "2e16d0ba", "image": 3}}, {"model": "wagtailimages.rendition", "pk": 11, "fields": {"filter_spec": "max-165x165", "file": "images/unblocklife_hero.max-165x165.jpg", "width": 165, "height": 110, "focal_point_key": "", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 12, "fields": {"filter_spec": "format-jpeg|fill-1920x900", "file": "images/unblocklife_hero.2e16d0ba.format-jpeg.fill-1920x900.jpg", "width": 1000, "height": 469, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 13, "fields": {"filter_spec": "format-jpeg|fill-800x650", "file": "images/unblocklife_hero.2e16d0ba.format-jpeg.fill-800x650.jpg", "width": 800, "height": 650, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 14, "fields": {"filter_spec": "format-avif|fill-1920x900", "file": "images/unblocklife_hero.2e16d0ba.format-avif.fill-1920x900.avif", "width": 1000, "height": 469, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 15, "fields": {"filter_spec": "format-avif|fill-800x650", "file": "images/unblocklife_hero.2e16d0ba.format-avif.fill-800x650.avif", "width": 800, "height": 650, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 16, "fields": {"filter_spec": "format-webp|fill-1920x900", "file": "images/unblocklife_hero.2e16d0ba.format-webp.fill-1920x900.webp", "width": 1000, "height": 469, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 17, "fields": {"filter_spec": "format-webp|fill-800x650", "file": "images/unblocklife_hero.2e16d0ba.format-webp.fill-800x650.webp", "width": 800, "height": 650, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 18, "fields": {"filter_spec": "format-jpeg|fill-590x413-c100", "file": "images/unblocklife_hero.2e16d0ba.format-jpeg.fill-590x413-c100.jpg", "width": 590, "height": 413, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 19, "fields": {"filter_spec": "format-webp|fill-590x413-c100", "file": "images/unblocklife_hero.2e16d0ba.format-webp.fill-590x413-c100.webp", "width": 590, "height": 413, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 20, "fields": {"filter_spec": "format-avif|fill-590x413-c100", "file": "images/unblocklife_hero.2e16d0ba.format-avif.fill-590x413-c100.avif", "width": 590, "height": 413, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 21, "fields": {"filter_spec": "fill-128x128", "file": "images/unblock_logo_Ij6Gvyj.2e16d0ba.fill-128x128.png", "width": 128, "height": 128, "focal_point_key": "2e16d0ba", "image": 3}}, {"model": "wagtailimages.rendition", "pk": 22, "fields": {"filter_spec": "max-165x165", "file": "images/sopan_shewale.max-165x165.jpg", "width": 165, "height": 165, "focal_point_key": "", "image": 5}}, {"model": "wagtailimages.rendition", "pk": 23, "fields": {"filter_spec": "format-jpeg|fill-1920x600", "file": "images/unblocklife_hero.2e16d0ba.format-jpeg.fill-1920x600.jpg", "width": 1000, "height": 313, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 24, "fields": {"filter_spec": "format-avif|fill-1920x600", "file": "images/unblocklife_hero.2e16d0ba.format-avif.fill-1920x600.avif", "width": 1000, "height": 313, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 25, "fields": {"filter_spec": "format-webp|fill-1920x600", "file": "images/unblocklife_hero.2e16d0ba.format-webp.fill-1920x600.webp", "width": 1000, "height": 313, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailimages.rendition", "pk": 26, "fields": {"filter_spec": "format-jpeg|width-150", "file": "images/sopan_shewale.format-jpeg.width-150.jpg", "width": 150, "height": 150, "focal_point_key": "", "image": 5}}, {"model": "wagtailimages.rendition", "pk": 27, "fields": {"filter_spec": "format-webp|width-150", "file": "images/sopan_shewale.format-webp.width-150.webp", "width": 150, "height": 150, "focal_point_key": "", "image": 5}}, {"model": "wagtailimages.rendition", "pk": 28, "fields": {"filter_spec": "format-avif|width-150", "file": "images/sopan_shewale.format-avif.width-150.avif", "width": 150, "height": 150, "focal_point_key": "", "image": 5}}, {"model": "wagtailimages.rendition", "pk": 29, "fields": {"filter_spec": "fill-840x240", "file": "images/unblocklife_hero.2e16d0ba.fill-840x240.jpg", "width": 840, "height": 240, "focal_point_key": "2e16d0ba", "image": 4}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 1, "fields": {"autocomplete": "unblock_logo", "title": "unblock_logo", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 2, "fields": {"autocomplete": "unblock_logo", "title": "unblock_logo", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 3, "fields": {"autocomplete": "unblock_logo", "title": "unblock_logo", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 4, "fields": {"autocomplete": "cheerful-speaker-talking-looking-distance", "title": "cheerful-speaker-talking-looking-distance", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 5, "fields": {"autocomplete": "We help Craft Dreams of Needy Students!", "title": "We help Craft Dreams of Needy Students!", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 6, "fields": {"autocomplete": "Finance Courses", "title": "Finance Courses", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 7, "fields": {"autocomplete": "sopan_shewale sopan", "title": "sopan_shewale", "body": "sopan"}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 8, "fields": {"autocomplete": "Introduction to Financial Accounting", "title": "Introduction to Financial Accounting", "body": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization. Sopan Shewale Week 1: Introduction and Balance Sheet, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization., Week 2: Accrual Accounting and the Income Statement, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization., Week 3: Cash Flows, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization., Week 4: Ratio Analysis and Final Exam, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization. Sopan, Shewale, Technical Evangelist, https://www.linkedin.com/in/sopanshewale/, Full Stack Developer with 25 years of Experience"}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 9, "fields": {"autocomplete": "About", "title": "About", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 10, "fields": {"autocomplete": "Contact", "title": "Contact", "body": ""}}, {"model": "wagtailsearch.sqliteftsindexentry", "pk": 11, "fields": {"autocomplete": "Privacy Policy", "title": "Privacy Policy", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 1, "fields": {"content_type": 2, "object_id": "1", "title_norm": 1.6041666666666667, "autocomplete": "unblock_logo", "title": "unblock_logo", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 2, "fields": {"content_type": 2, "object_id": "2", "title_norm": 1.6041666666666667, "autocomplete": "unblock_logo", "title": "unblock_logo", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 3, "fields": {"content_type": 2, "object_id": "3", "title_norm": 1.6041666666666667, "autocomplete": "unblock_logo", "title": "unblock_logo", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 4, "fields": {"content_type": 2, "object_id": "4", "title_norm": 0.4695121951219512, "autocomplete": "cheerful-speaker-talking-looking-distance", "title": "cheerful-speaker-talking-looking-distance", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 5, "fields": {"content_type": 4, "object_id": "3", "title_norm": 4.05, "autocomplete": "We help Craft Dreams of Needy Students!", "title": "We help Craft Dreams of Needy Students!", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 6, "fields": {"content_type": 56, "object_id": "4", "title_norm": 1.0666666666666667, "autocomplete": "Finance Courses", "title": "Finance Courses", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 7, "fields": {"content_type": 2, "object_id": "5", "title_norm": 1.1978021978021978, "autocomplete": "sopan_shewale sopan", "title": "sopan_shewale", "body": "sopan"}}, {"model": "wagtailsearch.indexentry", "pk": 8, "fields": {"content_type": 55, "object_id": "5", "title_norm": 4.666666666666667, "autocomplete": "Introduction to Financial Accounting", "title": "Introduction to Financial Accounting", "body": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization. Sopan Shewale Week 1: Introduction and Balance Sheet, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization., Week 2: Accrual Accounting and the Income Statement, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization., Week 3: Cash Flows, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization., Week 4: Ratio Analysis and Final Exam, H2, Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization. Sopan, Shewale, Technical Evangelist, https://www.linkedin.com/in/sopanshewale/, Full Stack Developer with 25 years of Experience"}}, {"model": "wagtailsearch.indexentry", "pk": 9, "fields": {"content_type": 29, "object_id": "6", "title_norm": 2.6, "autocomplete": "About", "title": "About", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 10, "fields": {"content_type": 33, "object_id": "7", "title_norm": 3.1399999999999997, "autocomplete": "Contact", "title": "Contact", "body": ""}}, {"model": "wagtailsearch.indexentry", "pk": 11, "fields": {"content_type": 29, "object_id": "8", "title_norm": 1.1233766233766234, "autocomplete": "Privacy Policy", "title": "Privacy Policy", "body": ""}}, {"model": "wagtailcore.locale", "pk": 1, "fields": {"language_code": "en"}}, {"model": "wagtailcore.site", "pk": 2, "fields": {"hostname": "localhost", "port": 80, "site_name": "", "root_page": 3, "is_default_site": true}}, {"model": "wagtailcore.modellogentry", "pk": 1, "fields": {"content_type": 53, "label": "Unblocklife Logo", "action": "wagtail.create", "data": {}, "timestamp": "2024-07-16T10:36:19.168Z", "uuid": "6ada13ed-4a47-4495-a79e-b4f9213f8efa", "user": 1, "revision": null, "content_changed": true, "deleted": false, "object_id": "1"}}, {"model": "wagtailcore.modellogentry", "pk": 2, "fields": {"content_type": 53, "label": "Unblocklife Logo", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-16T10:50:55.520Z", "uuid": "18e3dd69-e412-4a61-9ac2-6166056f36c8", "user": 1, "revision": null, "content_changed": true, "deleted": false, "object_id": "1"}}, {"model": "wagtailcore.modellogentry", "pk": 3, "fields": {"content_type": 53, "label": "Unblocklife Logo", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-16T11:22:31.326Z", "uuid": "b9f03991-1864-4b88-8ec1-b50afa363553", "user": 1, "revision": null, "content_changed": true, "deleted": false, "object_id": "1"}}, {"model": "wagtailcore.modellogentry", "pk": 4, "fields": {"content_type": 30, "label": "site settings for localhost [default]", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T14:10:08.253Z", "uuid": "05fb0f2d-4280-4826-8f8a-759bb8c0d88b", "user": 1, "revision": null, "content_changed": true, "deleted": false, "object_id": "1"}}, {"model": "wagtailcore.collection", "pk": 1, "fields": {"path": "0001", "depth": 1, "numchild": 0, "name": "Root"}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 1, "fields": {"group": 2, "collection": 1, "permission": 1}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 2, "fields": {"group": 1, "collection": 1, "permission": 1}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 3, "fields": {"group": 2, "collection": 1, "permission": 2}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 4, "fields": {"group": 1, "collection": 1, "permission": 2}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 5, "fields": {"group": 2, "collection": 1, "permission": 102}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 6, "fields": {"group": 1, "collection": 1, "permission": 102}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 7, "fields": {"group": 2, "collection": 1, "permission": 103}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 8, "fields": {"group": 1, "collection": 1, "permission": 103}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 9, "fields": {"group": 2, "collection": 1, "permission": 105}}, {"model": "wagtailcore.groupcollectionpermission", "pk": 10, "fields": {"group": 1, "collection": 1, "permission": 105}}, {"model": "wagtailcore.referenceindex", "pk": 1, "fields": {"content_type": 2, "base_content_type": 2, "object_id": "1", "to_content_type": 9, "to_object_id": "1", "model_path": "collection", "content_path": "collection", "content_path_hash": "b40b1263-e929-57f2-a7f8-9dbce56b887b"}}, {"model": "wagtailcore.referenceindex", "pk": 3, "fields": {"content_type": 2, "base_content_type": 2, "object_id": "2", "to_content_type": 9, "to_object_id": "1", "model_path": "collection", "content_path": "collection", "content_path_hash": "b40b1263-e929-57f2-a7f8-9dbce56b887b"}}, {"model": "wagtailcore.referenceindex", "pk": 5, "fields": {"content_type": 2, "base_content_type": 2, "object_id": "3", "to_content_type": 9, "to_object_id": "1", "model_path": "collection", "content_path": "collection", "content_path_hash": "b40b1263-e929-57f2-a7f8-9dbce56b887b"}}, {"model": "wagtailcore.referenceindex", "pk": 6, "fields": {"content_type": 53, "base_content_type": 53, "object_id": "1", "to_content_type": 2, "to_object_id": "3", "model_path": "logo", "content_path": "logo", "content_path_hash": "ba402699-341b-59f7-bfe3-4d8ea0405a39"}}, {"model": "wagtailcore.referenceindex", "pk": 7, "fields": {"content_type": 2, "base_content_type": 2, "object_id": "4", "to_content_type": 9, "to_object_id": "1", "model_path": "collection", "content_path": "collection", "content_path_hash": "b40b1263-e929-57f2-a7f8-9dbce56b887b"}}, {"model": "wagtailcore.referenceindex", "pk": 8, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "to_content_type": 2, "to_object_id": "4", "model_path": "image", "content_path": "image", "content_path_hash": "3cb1a537-a728-548b-b207-8423b6010580"}}, {"model": "wagtailcore.referenceindex", "pk": 10, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "to_content_type": 2, "to_object_id": "4", "model_path": "promo_image", "content_path": "promo_image", "content_path_hash": "abfbb103-e548-5a1d-aeda-369aa6228e95"}}, {"model": "wagtailcore.referenceindex", "pk": 11, "fields": {"content_type": 56, "base_content_type": 1, "object_id": "4", "to_content_type": 2, "to_object_id": "4", "model_path": "image", "content_path": "image", "content_path_hash": "3cb1a537-a728-548b-b207-8423b6010580"}}, {"model": "wagtailcore.referenceindex", "pk": 12, "fields": {"content_type": 2, "base_content_type": 2, "object_id": "5", "to_content_type": 9, "to_object_id": "1", "model_path": "collection", "content_path": "collection", "content_path_hash": "b40b1263-e929-57f2-a7f8-9dbce56b887b"}}, {"model": "wagtailcore.referenceindex", "pk": 14, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "to_content_type": 2, "to_object_id": "5", "model_path": "trainers.profile.image", "content_path": "trainers.4a480283-3bab-4e0c-9606-13d9bb2b0920.image", "content_path_hash": "7ed0c6b4-8c00-5ca0-b73a-31d250ea8da0"}}, {"model": "wagtailcore.referenceindex", "pk": 18, "fields": {"content_type": 29, "base_content_type": 1, "object_id": "6", "to_content_type": 2, "to_object_id": "4", "model_path": "image", "content_path": "image", "content_path_hash": "3cb1a537-a728-548b-b207-8423b6010580"}}, {"model": "wagtailcore.referenceindex", "pk": 19, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "to_content_type": 1, "to_object_id": "4", "model_path": "hero_cta_link", "content_path": "hero_cta_link", "content_path_hash": "4dd68ee5-2133-514e-ab18-c39ada0704d5"}}, {"model": "wagtailcore.referenceindex", "pk": 20, "fields": {"content_type": 33, "base_content_type": 1, "object_id": "7", "to_content_type": 2, "to_object_id": "2", "model_path": "image", "content_path": "image", "content_path_hash": "3cb1a537-a728-548b-b207-8423b6010580"}}, {"model": "wagtailcore.referenceindex", "pk": 21, "fields": {"content_type": 29, "base_content_type": 1, "object_id": "8", "to_content_type": 2, "to_object_id": "4", "model_path": "image", "content_path": "image", "content_path_hash": "3cb1a537-a728-548b-b207-8423b6010580"}}, {"model": "wagtailcore.referenceindex", "pk": 22, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "to_content_type": 45, "to_object_id": "2", "model_path": "tagged_items.item.tag", "content_path": "tagged_items.None.tag", "content_path_hash": "ba6661ca-69a8-5ae1-a6aa-fb67dbf805eb"}}, {"model": "wagtailcore.referenceindex", "pk": 23, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "to_content_type": 2, "to_object_id": "4", "model_path": "feed_image", "content_path": "feed_image", "content_path_hash": "0dc5177c-8fc4-5e50-b0af-851e650f647f"}}, {"model": "wagtailcore.page", "pk": 1, "fields": {"path": "0001", "depth": 1, "numchild": 1, "translation_key": "ab6ce1a6-cdc7-459f-9013-42f621fdcf27", "locale": 1, "latest_revision": null, "live": true, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Root", "draft_title": "Root", "slug": "root", "content_type": 1, "url_path": "/", "owner": null, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null}}, {"model": "wagtailcore.page", "pk": 3, "fields": {"path": "00010001", "depth": 2, "numchild": 4, "translation_key": "ab3bf0a5-0dca-42b3-89be-b50129368ce0", "locale": 1, "latest_revision": 9, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-16T12:34:53.882Z", "last_published_at": "2024-07-17T09:08:53.809Z", "live_revision": 9, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "We help Craft Dreams of Needy Students!", "draft_title": "We help Craft Dreams of Needy Students!", "slug": "home", "content_type": 4, "url_path": "/home/", "owner": null, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T09:08:53.791Z", "alias_of": null}}, {"model": "wagtailcore.page", "pk": 4, "fields": {"path": "000100010001", "depth": 3, "numchild": 1, "translation_key": "afd02afb-7aad-496d-9556-a53bd8221d3f", "locale": 1, "latest_revision": 3, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:06:33.038Z", "last_published_at": "2024-07-17T08:07:05.133Z", "live_revision": 3, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Finance Courses", "draft_title": "Finance Courses", "slug": "courses", "content_type": 56, "url_path": "/home/courses/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:07:05.119Z", "alias_of": null}}, {"model": "wagtailcore.page", "pk": 5, "fields": {"path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 18, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:34:54.976Z", "last_published_at": "2024-07-18T10:03:27.084Z", "live_revision": 18, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Introduction to Financial Accounting", "draft_title": "Introduction to Financial Accounting", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-18T10:03:27.061Z", "alias_of": null}}, {"model": "wagtailcore.page", "pk": 6, "fields": {"path": "000100010002", "depth": 3, "numchild": 0, "translation_key": "94b04597-580b-4f45-b996-7b4c2536456f", "locale": 1, "latest_revision": 6, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:36:51.842Z", "last_published_at": "2024-07-17T08:36:51.842Z", "live_revision": 6, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "About", "draft_title": "About", "slug": "about", "content_type": 29, "url_path": "/home/about/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:36:51.830Z", "alias_of": null}}, {"model": "wagtailcore.page", "pk": 7, "fields": {"path": "000100010003", "depth": 3, "numchild": 0, "translation_key": "16fb54b3-590e-47f2-99d6-a88c754a685c", "locale": 1, "latest_revision": 12, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T09:37:55.618Z", "last_published_at": "2024-07-17T09:38:35.955Z", "live_revision": 12, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Contact", "draft_title": "Contact", "slug": "contact", "content_type": 33, "url_path": "/home/contact/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T09:38:35.939Z", "alias_of": null}}, {"model": "wagtailcore.page", "pk": 8, "fields": {"path": "000100010004", "depth": 3, "numchild": 0, "translation_key": "ab00dc9a-c55e-486b-b92b-111dfbc20047", "locale": 1, "latest_revision": 19, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T10:15:53.380Z", "last_published_at": "2024-07-20T10:12:21.829Z", "live_revision": 19, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Privacy Policy", "draft_title": "Privacy Policy", "slug": "privacy-policy", "content_type": 29, "url_path": "/home/privacy-policy/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-20T10:12:21.804Z", "alias_of": null}}, {"model": "wagtailcore.revision", "pk": 1, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "created_at": "2024-07-16T12:34:53.866Z", "user": 1, "object_str": "Home", "content": {"pk": 3, "path": "00010001", "depth": 2, "numchild": 0, "translation_key": "ab3bf0a5-0dca-42b3-89be-b50129368ce0", "locale": 1, "latest_revision": null, "live": true, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Home", "draft_title": "Home", "slug": "home", "content_type": 4, "url_path": "/home/", "owner": null, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null, "image": 4, "hero_text": "We help craft the finance needs", "hero_cta": "Learn More", "hero_cta_link": 3, "body": "[]", "promo_image": 4, "promo_title": "We are here", "promo_text": "We are writing promptional text
", "featured_section_1_title": "", "featured_section_1": null, "featured_section_2_title": "", "featured_section_2": null, "featured_section_3_title": "", "featured_section_3": null, "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 2, "fields": {"content_type": 56, "base_content_type": 1, "object_id": "4", "created_at": "2024-07-17T08:06:33.024Z", "user": 1, "object_str": "Finance Courses", "content": {"pk": 4, "path": "000100010001", "depth": 3, "numchild": 0, "translation_key": "afd02afb-7aad-496d-9556-a53bd8221d3f", "locale": 1, "latest_revision": null, "live": true, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Finance Courses", "draft_title": "Finance Courses", "slug": "finance-courses", "content_type": 56, "url_path": "/home/finance-courses/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null, "summary": "I am Finance Courses", "image": 4, "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 3, "fields": {"content_type": 56, "base_content_type": 1, "object_id": "4", "created_at": "2024-07-17T08:07:05.119Z", "user": 1, "object_str": "Finance Courses", "content": {"pk": 4, "path": "000100010001", "depth": 3, "numchild": 0, "translation_key": "afd02afb-7aad-496d-9556-a53bd8221d3f", "locale": 1, "latest_revision": 2, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:06:33.038Z", "last_published_at": "2024-07-17T08:06:33.038Z", "live_revision": 2, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Finance Courses", "draft_title": "Finance Courses", "slug": "courses", "content_type": 56, "url_path": "/home/finance-courses/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:06:33.024Z", "alias_of": null, "summary": "I am Finance Courses", "image": 4, "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 4, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-17T08:34:51.346Z", "user": 1, "object_str": "One", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": null, "live": false, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "One", "draft_title": "One", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "In this video we're going to explore how to add a new app to our Wagtail CMS website, how to install it, and how to add the custom page model. We'll be creating a brand new Wagtail Page from scratch.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": null, "body": "[{\"type\": \"paragraph_block\", \"value\": \"Hello
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": 1, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 5, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-17T08:34:54.963Z", "user": 1, "object_str": "One", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 4, "live": false, "has_unpublished_changes": true, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "One", "draft_title": "One", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:34:51.346Z", "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "In this video we're going to explore how to add a new app to our Wagtail CMS website, how to install it, and how to add the custom page model. We'll be creating a brand new Wagtail Page from scratch.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": null, "body": "[{\"type\": \"paragraph_block\", \"value\": \"Hello
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": 2, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 6, "fields": {"content_type": 29, "base_content_type": 1, "object_id": "6", "created_at": "2024-07-17T08:36:51.830Z", "user": 1, "object_str": "About", "content": {"pk": 6, "path": "00010002", "depth": 2, "numchild": 0, "translation_key": "94b04597-580b-4f45-b996-7b4c2536456f", "locale": 1, "latest_revision": null, "live": true, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "About", "draft_title": "About", "slug": "about", "content_type": 29, "url_path": "/about/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null, "introduction": "We are bunch of technical folks", "image": 4, "body": "[{\"type\": \"paragraph_block\", \"value\": \"bunch of techncial folks
\", \"id\": \"dbb667bd-e974-4433-9145-080fc9062296\"}]", "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 7, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "created_at": "2024-07-17T08:50:43.167Z", "user": 1, "object_str": "We help Craft Dreams of Needy Students!", "content": {"pk": 3, "path": "00010001", "depth": 2, "numchild": 2, "translation_key": "ab3bf0a5-0dca-42b3-89be-b50129368ce0", "locale": 1, "latest_revision": 1, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-16T12:34:53.882Z", "last_published_at": "2024-07-16T12:34:53.882Z", "live_revision": 1, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "We help Craft Dreams of Needy Students!", "draft_title": "Home", "slug": "home", "content_type": 4, "url_path": "/home/", "owner": null, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-16T12:34:53.866Z", "alias_of": null, "image": 4, "hero_text": "We help craft the finance needs", "hero_cta": "Learn More", "hero_cta_link": 3, "body": "[]", "promo_image": 4, "promo_title": "We are here", "promo_text": "We are writing promptional text
", "featured_section_1_title": "", "featured_section_1": null, "featured_section_2_title": "", "featured_section_2": null, "featured_section_3_title": "", "featured_section_3": null, "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 8, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "created_at": "2024-07-17T08:53:49.548Z", "user": 1, "object_str": "We help Craft Dreams of Needy Students!", "content": {"pk": 3, "path": "00010001", "depth": 2, "numchild": 2, "translation_key": "ab3bf0a5-0dca-42b3-89be-b50129368ce0", "locale": 1, "latest_revision": 7, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-16T12:34:53.882Z", "last_published_at": "2024-07-17T08:50:43.190Z", "live_revision": 7, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "We help Craft Dreams of Needy Students!", "draft_title": "We help Craft Dreams of Needy Students!", "slug": "home", "content_type": 4, "url_path": "/home/", "owner": null, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:50:43.167Z", "alias_of": null, "image": 4, "hero_text": "We help craft the finance needs", "hero_cta": "Learn More", "hero_cta_link": 4, "body": "[]", "promo_image": 4, "promo_title": "We are here", "promo_text": "We are writing promptional text
", "featured_section_1_title": "", "featured_section_1": null, "featured_section_2_title": "", "featured_section_2": null, "featured_section_3_title": "", "featured_section_3": null, "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 9, "fields": {"content_type": 4, "base_content_type": 1, "object_id": "3", "created_at": "2024-07-17T09:08:53.791Z", "user": 1, "object_str": "We help Craft Dreams of Needy Students!", "content": {"pk": 3, "path": "00010001", "depth": 2, "numchild": 2, "translation_key": "ab3bf0a5-0dca-42b3-89be-b50129368ce0", "locale": 1, "latest_revision": 8, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-16T12:34:53.882Z", "last_published_at": "2024-07-17T08:53:49.567Z", "live_revision": 8, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "We help Craft Dreams of Needy Students!", "draft_title": "We help Craft Dreams of Needy Students!", "slug": "home", "content_type": 4, "url_path": "/home/", "owner": null, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:53:49.548Z", "alias_of": null, "image": 4, "hero_text": "We help craft the finance needs", "hero_cta": "Learn More", "hero_cta_link": 4, "body": "[]", "promo_image": 4, "promo_title": "Detailed Statistics of your Company", "promo_text": "Praesent imperdiet, tellus et euismod euismod, risus lorem euismod erat, at finibus neque odio quis metus. Donec vulputate arcu quam. Morbi quis tincidunt ligula. Sed rutrum tincidunt pretium. Mauris auctor, purus a pulvinar fermentum, odio dui vehicula lorem, nec pharetra justo risus quis mi. Ut ac ex sagittis, viverra nisl vel, rhoncus odio.
", "featured_section_1_title": "", "featured_section_1": null, "featured_section_2_title": "", "featured_section_2": null, "featured_section_3_title": "", "featured_section_3": null, "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 10, "fields": {"content_type": 33, "base_content_type": 1, "object_id": "7", "created_at": "2024-07-17T09:37:53.059Z", "user": 1, "object_str": "About", "content": {"pk": 7, "path": "00010002", "depth": 2, "numchild": 0, "translation_key": "16fb54b3-590e-47f2-99d6-a88c754a685c", "locale": 1, "latest_revision": null, "live": false, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "About", "draft_title": "About", "slug": "about", "content_type": 33, "url_path": "/about/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null, "to_address": "", "from_address": "info@dravate.com", "subject": "Thank you for Writing Us!", "image": 2, "body": "[{\"type\": \"paragraph_block\", \"value\": \"I am Contact Form
\", \"id\": \"fa17873b-466a-4aa4-8327-63f26de1b796\"}]", "thank_you_text": "Thank you
", "wagtail_admin_comments": [], "form_fields": [{"pk": 1, "sort_order": 0, "clean_name": "name", "label": "Name", "field_type": "singleline", "required": true, "choices": "", "default_value": "", "help_text": "", "page": 7}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 11, "fields": {"content_type": 33, "base_content_type": 1, "object_id": "7", "created_at": "2024-07-17T09:37:55.608Z", "user": 1, "object_str": "About", "content": {"pk": 7, "path": "00010002", "depth": 2, "numchild": 0, "translation_key": "16fb54b3-590e-47f2-99d6-a88c754a685c", "locale": 1, "latest_revision": 10, "live": false, "has_unpublished_changes": true, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "About", "draft_title": "About", "slug": "about", "content_type": 33, "url_path": "/about/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T09:37:53.059Z", "alias_of": null, "to_address": "", "from_address": "info@dravate.com", "subject": "Thank you for Writing Us!", "image": 2, "body": "[{\"type\": \"paragraph_block\", \"value\": \"I am Contact Form
\", \"id\": \"fa17873b-466a-4aa4-8327-63f26de1b796\"}]", "thank_you_text": "Thank you
", "wagtail_admin_comments": [], "form_fields": [{"pk": 1, "sort_order": 0, "clean_name": "name", "label": "Name", "field_type": "singleline", "required": true, "choices": "", "default_value": "", "help_text": "", "page": 7}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 12, "fields": {"content_type": 33, "base_content_type": 1, "object_id": "7", "created_at": "2024-07-17T09:38:35.939Z", "user": 1, "object_str": "Contact", "content": {"pk": 7, "path": "00010002", "depth": 2, "numchild": 0, "translation_key": "16fb54b3-590e-47f2-99d6-a88c754a685c", "locale": 1, "latest_revision": 11, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T09:37:55.618Z", "last_published_at": "2024-07-17T09:37:55.618Z", "live_revision": 11, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Contact", "draft_title": "About", "slug": "contact", "content_type": 33, "url_path": "/about/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T09:37:55.608Z", "alias_of": null, "to_address": "", "from_address": "info@dravate.com", "subject": "Thank you for Writing Us!", "image": 2, "body": "[{\"type\": \"paragraph_block\", \"value\": \"I am Contact Form
\", \"id\": \"fa17873b-466a-4aa4-8327-63f26de1b796\"}]", "thank_you_text": "Thank you
", "wagtail_admin_comments": [], "form_fields": [{"pk": 1, "sort_order": 0, "clean_name": "name", "label": "Name", "field_type": "singleline", "required": true, "choices": "", "default_value": "", "help_text": "", "page": 7}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 13, "fields": {"content_type": 29, "base_content_type": 1, "object_id": "8", "created_at": "2024-07-17T10:15:53.367Z", "user": 1, "object_str": "Privacy Policy", "content": {"pk": 8, "path": "000100010004", "depth": 3, "numchild": 0, "translation_key": "ab00dc9a-c55e-486b-b92b-111dfbc20047", "locale": 1, "latest_revision": null, "live": true, "has_unpublished_changes": false, "first_published_at": null, "last_published_at": null, "live_revision": null, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Privacy Policy", "draft_title": "Privacy Policy", "slug": "privacy-policy", "content_type": 29, "url_path": "/home/privacy-policy/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": null, "alias_of": null, "introduction": "I am privacy Policy", "image": 4, "body": "[{\"type\": \"paragraph_block\", \"value\": \"Privacy Policy
\", \"id\": \"d201a5c0-9f58-4a7c-a1f1-d053f86b681b\"}]", "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 14, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-17T10:51:12.883Z", "user": 1, "object_str": "Introduction to Financial Accounting", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 5, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:34:54.976Z", "last_published_at": "2024-07-17T08:34:54.976Z", "live_revision": 5, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Introduction to Financial Accounting", "draft_title": "One", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T08:34:54.963Z", "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": null, "body": "[{\"type\": \"paragraph_block\", \"value\": \"Hello
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": null, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 15, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-17T10:51:46.746Z", "user": 1, "object_str": "Introduction to Financial Accounting", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 14, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:34:54.976Z", "last_published_at": "2024-07-17T10:51:12.904Z", "live_revision": 14, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Introduction to Financial Accounting", "draft_title": "Introduction to Financial Accounting", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T10:51:12.883Z", "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": 4, "body": "[{\"type\": \"paragraph_block\", \"value\": \"Hello
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": null, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 16, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-17T10:53:18.365Z", "user": 1, "object_str": "Introduction to Financial Accounting", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 15, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:34:54.976Z", "last_published_at": "2024-07-17T10:51:46.762Z", "live_revision": 15, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Introduction to Financial Accounting", "draft_title": "Introduction to Financial Accounting", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T10:51:46.746Z", "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": 4, "body": "[{\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 1: Introduction and Balance Sheet\", \"size\": \"h2\"}, \"id\": \"d3eb94de-72c9-4203-aa3f-f406de8d8715\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 2: Accrual Accounting and the Income Statement\", \"size\": \"h2\"}, \"id\": \"ef43ad62-114e-4d3b-95ec-7e9c81eef170\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"49ae9496-5f62-4577-8264-b5d78f36bf53\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": null, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 17, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-17T10:54:36.524Z", "user": 1, "object_str": "Introduction to Financial Accounting", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 16, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:34:54.976Z", "last_published_at": "2024-07-17T10:53:18.382Z", "live_revision": 16, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Introduction to Financial Accounting", "draft_title": "Introduction to Financial Accounting", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T10:53:18.365Z", "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": 4, "body": "[{\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 1: Introduction and Balance Sheet\", \"size\": \"h2\"}, \"id\": \"d3eb94de-72c9-4203-aa3f-f406de8d8715\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 2: Accrual Accounting and the Income Statement\", \"size\": \"h2\"}, \"id\": \"ef43ad62-114e-4d3b-95ec-7e9c81eef170\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"49ae9496-5f62-4577-8264-b5d78f36bf53\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 3: Cash Flows\", \"size\": \"h2\"}, \"id\": \"7bd637c3-badc-42e4-ab34-f2acb5ffc9d1\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"5767cbd5-8498-4348-8d06-749909227b51\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 4: Ratio Analysis and Final Exam\", \"size\": \"h2\"}, \"id\": \"2fa2155d-2265-4fe6-833e-a4d2ed522ffd\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"09d0b715-208a-42c2-8fb8-efcd4297bfe7\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": null, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 18, "fields": {"content_type": 55, "base_content_type": 1, "object_id": "5", "created_at": "2024-07-18T10:03:27.061Z", "user": 1, "object_str": "Introduction to Financial Accounting", "content": {"pk": 5, "path": "0001000100010001", "depth": 4, "numchild": 0, "translation_key": "763f11db-21e2-4aa0-9607-8a171dcebd39", "locale": 1, "latest_revision": 17, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T08:34:54.976Z", "last_published_at": "2024-07-17T10:54:36.543Z", "live_revision": 17, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Introduction to Financial Accounting", "draft_title": "Introduction to Financial Accounting", "slug": "one", "content_type": 55, "url_path": "/home/courses/one/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T10:54:36.524Z", "alias_of": null, "author": "Sopan Shewale", "date": "2024-07-17", "summary": "Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.", "start_date": "2024-07-17", "end_date": "2024-07-18", "feed_image": 4, "body": "[{\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 1: Introduction and Balance Sheet\", \"size\": \"h2\"}, \"id\": \"d3eb94de-72c9-4203-aa3f-f406de8d8715\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"184be5aa-b60e-4043-8173-62ab39e25536\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 2: Accrual Accounting and the Income Statement\", \"size\": \"h2\"}, \"id\": \"ef43ad62-114e-4d3b-95ec-7e9c81eef170\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"49ae9496-5f62-4577-8264-b5d78f36bf53\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 3: Cash Flows\", \"size\": \"h2\"}, \"id\": \"7bd637c3-badc-42e4-ab34-f2acb5ffc9d1\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"5767cbd5-8498-4348-8d06-749909227b51\"}, {\"type\": \"heading_block\", \"value\": {\"heading_text\": \"Week 4: Ratio Analysis and Final Exam\", \"size\": \"h2\"}, \"id\": \"2fa2155d-2265-4fe6-833e-a4d2ed522ffd\"}, {\"type\": \"paragraph_block\", \"value\": \"Master the technical skills needed to analyze financial statements and disclosures for use in financial analysis, and learn how accounting standards and managerial incentives affect the financial reporting process. By the end of this course, you'll be able to read the three most common financial statements: the income statement, balance sheet, and statement of cash flows. Then you can apply these skills to a real-world business challenge as part of the Wharton Business Foundations Specialization.
\", \"id\": \"09d0b715-208a-42c2-8fb8-efcd4297bfe7\"}]", "trainers": "[{\"type\": \"profile\", \"value\": {\"image\": 5, \"firstname\": \"Sopan\", \"lastname\": \"Shewale\", \"title\": \"Technical Evangelist\", \"linkedin\": \"https://www.linkedin.com/in/sopanshewale/\", \"short_profile\": \"Full Stack Developer with 25 years of Experience\"}, \"id\": \"4a480283-3bab-4e0c-9606-13d9bb2b0920\"}]", "wagtail_admin_comments": [], "tagged_items": [{"pk": null, "tag": 2, "content_object": 5}]}, "approved_go_live_at": null}}, {"model": "wagtailcore.revision", "pk": 19, "fields": {"content_type": 29, "base_content_type": 1, "object_id": "8", "created_at": "2024-07-20T10:12:21.804Z", "user": 1, "object_str": "Privacy Policy", "content": {"pk": 8, "path": "000100010004", "depth": 3, "numchild": 0, "translation_key": "ab00dc9a-c55e-486b-b92b-111dfbc20047", "locale": 1, "latest_revision": 13, "live": true, "has_unpublished_changes": false, "first_published_at": "2024-07-17T10:15:53.380Z", "last_published_at": "2024-07-17T10:15:53.380Z", "live_revision": 13, "go_live_at": null, "expire_at": null, "expired": false, "locked": false, "locked_at": null, "locked_by": null, "title": "Privacy Policy", "draft_title": "Privacy Policy", "slug": "privacy-policy", "content_type": 29, "url_path": "/home/privacy-policy/", "owner": 1, "seo_title": "", "show_in_menus": false, "search_description": "", "latest_revision_created_at": "2024-07-17T10:15:53.367Z", "alias_of": null, "introduction": "I am privacy Policy", "image": 4, "body": "[{\"type\": \"paragraph_block\", \"value\": \"We, at Info Edge (India) Limited herein referred to as IEIL and our affiliated companies worldwide, are committed to respecting your online privacy and recognize your need for appropriate protection and management of personally identifiable information (\\\"Personal Information\\\") you share with us, in-line with the applicable data protection laws and regulations.
This Policy is subject to the terms of the Site Policy (Terms of Use) of Shiksha.com and the Application. This policy applies to those who register on the Platform (as defined in the Terms of Use) provided by the Shiksha.com, in connection with use of our services, or whose information Shiksha.com otherwise receives in connection with its services (such as but not limited to contact information of individuals associated with Shiksha.com including partner colleges/ educational institutes etc.)
Personal information (PI) - means any information relating to an identified or identifiable living person. In particular using a common identifier such as a name, an identification number, location data, an online identifier or one or more factors specific to the physical, physiological, genetic, mental, economic, cultural or social identity of that natural person or any other piece of information as per applicable laws and regulations.
Core Purpose - The Platform is made available for use to help students get details, discover & research on colleges, courses and exams of their interest and for allied services related thereto. Platform also helps connect colleges/educational institutes/coaching centres etc. with prospective students who may be of interest to them.User's contactable information will be shared with Colleges/Educational Institutes/coaching centres etc either if they have shown interest in that Colleges/Educational Institutes/coaching centres etc or they have shortlisted the user as potential candidate for admission.
Study Abroad section of Platform also assists students in completing and submitting their applications to universities abroad. (\\u201cPurpose\\u201d).
We collect information about you or your usage to provide better services to all of our users. We collect information in the following ways:
Shiksha.com may process your Personal Information for the following purposes:
Some of our Web pages utilize \\\"cookies\\\" and other tracking technologies. A \\\"cookie\\\" is a small text file that may be used, for example, to collect your information about Website activity. Some cookies and other technologies may serve to recall Personal Information previously indicated by a Web user. Most browsers allow you to control cookies, including whether or not to accept them and how to remove them.
You may set most browsers to notify you if you receive a cookie, or you may choose to block cookies with your browser, but please note that if you choose to erase or block your cookies, you will need to re-enter your original user ID and password to gain access to certain parts of the Web site and some sections/features of the site may not work.
Tracking technologies may record information such as Internet domain and host names; Internet protocol (IP) addresses; browser software and operating system types; clickstream patterns; and dates and times that our site has accessed.
Our use of cookies and other tracking technologies allows us to improve our Web site and your Web experience. We may also analyse information that does not contain Personal Information for trends and statistics.
For more information about our use of cookies please refer to our Cookie Policy.
Third parties provide certain services available on Shiksha.com on IEIL\\u2019s behalf. Shiksha.com may provide information, including Personal Information, that \\u2018Shiksha.com collects on the Web to third-party service providers to help us deliver programs, products, information, and services. Service providers are also an important means by which Shiksha.com maintains its Web site and mailing lists. Shiksha.com will take reasonable steps to ensure that these third-party service providers are obligated to protect Personal Information on Shiksha.com behalf.
Shiksha.com does not intend to transfer Personal Information without your consent to third parties unless such transfer is required for providing relevant services or for purposes legal purposes.
When you are in a relationship with Shiksha.com, your personal information may be transferred to geographies outside India, for the purposes mentioned in this policy or to their local service providers for support in the pursuance of such purposes. Transfers outside India are covered by standard data protection laws.
Please be aware that Shiksha.com sometimes contains links to other sites that are not governed by this privacy policy. Visitors to Our Site may be directed to third-party sites for more information, such as advertisers, blogs, content sponsorships, vendor services, social networks, etc.
Shiksha.com makes no representations or warranties regarding how your information is stored or used on third-party servers. We recommend that you review the privacy statement of each third-party site linked from Our Site to determine their use of your personal information.
To use the Site you agree that you must be of minimum age (described in this paragraph below) or older.
In case you are resident of the European Union, the minimum age for these purposes shall be 16, however if local laws require that you must be older in order for Shiksha.com to lawfully provide the services on the Site to you then that older age shall apply as the applicable minimum age.
In all jurisdictions outside the European Union, if you are under the age of 18 or the age of majority in your jurisdiction, you must use Shiksha.com under the supervision of your parent, legal guardian or responsible adult.
We restrict access to your Personal Information to employees who we believe reasonably need to know/or that information in order to fulfil their jobs to provide, operate, develop, or improve our products or services.
Shiksha.com does not rent, sell, or share personal information about you with other people or non-affiliated companies except:
Shiksha.com displays targeted advertisements based on personal information. Advertisers (including ad serving for example, women aged 18-24 from a particular geographic area.
Your personal information processed by Shiksha.com are kept in a form which permits your identification for no longer than is necessary for the purposes for which the personal information are processed in line with legal, regulatory, contractual or statutory obligations as applicable.
At the expiry of such periods, your personal information will be archived to comply with legal/contractual retention obligations or in accordance with applicable statutory limitation periods.
To the extent permitted by law, Shiksha.com may record and monitor your communications with us to ensure compliance with our legal and regulatory obligations and our internal policies. This may include the recording of telephone conversations.
You may have the right to invoke certain rights (as per applicable laws and regulations such as GDPR) in relation to your personal information being processed by the Platform.
The Platform may be allowed by law, in particular in case of excessive or manifestly unfounded request, to charge a fee for fulfilling your request, subject to applicable conditions.
You are legally entitled to request details of the personal information we may be holding about you. The Company provides you the ability to keep your personal information accurate and up-to-date. If at any time you would like to rectify, erase or restrict the processing of your personal information, or you would like to obtain confirmation whether or not your personal information is processed by it, access your personal information, exercise your right to data portability or withdraw your consent to processing, please contact us.
You are entitled to lodge a complaint with a competent Data Protection Authority where existing, concerning the Platform\\u2019s compliance with the applicable data protection laws and regulation.
The security and confidentiality of your Personal Data is important to us and Shiksha.com has invested significant resources to protect the safekeeping and confidentiality of your personal data. When using external service providers acting as processors, we require that they adhere to the same standards as Shiksha.com. Regardless of where your personal information is transferred or stored, we take all steps reasonably necessary to ensure that personal data is kept secure.
We have physical, electronic, and procedural safeguards that comply with the laws prevalent in India to protect personal information about you. We seek to ensure compliance with the requirements of the Information Technology Act, 2000 and Rules made there under to ensure the protection and preservation of your privacy.
Shiksha.com operates channels, pages and accounts on some social media sites to inform, assist and engage with you. Shiksha.com monitors and records comments and posts made on these channels about Shiksha.com in order to improve its products and services. Please note that you must not communicate with Shiksha.com through such social media sites the following information:
Shiksha.com is not responsible for any information posted on those sites other than the information posted by its employees on its behalf. Shiksha.com is only responsible for its own use of the personal data received through such sites
Shiksha.com reserves the right to update, change or modify this policy at any time. The policy shall come to effect from the date of such update, change or modification.
Shiksha.com shall not be liable for any loss or damage sustained by reason of any disclosure (inadvertent or otherwise) of any information concerning the user's account and / or information relating to or regarding online transactions using credit cards / debit cards and / or their verification process and particulars nor for any error, omission or inaccuracy with respect to any information so disclosed and used whether or not in pursuance of a legal process or otherwise. Shiksha.com does not store any Credit / Debit card details.
Any other personal information shared by you which is not asked by Shiksha.com during registration, either mandatorily or optionally; accounts to wilful and intentional furnishing; and Shiksha.com will not be liable for breach of such information.
Shiksha is neither affiliated with nor endorsed by any government organization. The Shiksha app doesn\\u2019t represent any government entity. The Shiksha team sources information about colleges & exams from their respective official websites. We try to put our best effort to make sure that the information is genuine and updated regularly.
If you have any questions regarding this privacy policy or the protection of your personal data, please contact IEIL\\u2019s Data Protection Officer at the following:
Data Protection Officer/ Grievance OfficerInfo Edge (India) LimitedNoida GF-12A, Meghdoot, Nehru Place, New DelhiEmail: privacy@infoedge.com
\", \"id\": \"d201a5c0-9f58-4a7c-a1f1-d053f86b681b\"}]", "wagtail_admin_comments": []}, "approved_go_live_at": null}}, {"model": "wagtailcore.grouppagepermission", "pk": 1, "fields": {"group": 1, "page": 1, "permission": 33}}, {"model": "wagtailcore.grouppagepermission", "pk": 2, "fields": {"group": 1, "page": 1, "permission": 34}}, {"model": "wagtailcore.grouppagepermission", "pk": 3, "fields": {"group": 1, "page": 1, "permission": 39}}, {"model": "wagtailcore.grouppagepermission", "pk": 4, "fields": {"group": 2, "page": 1, "permission": 33}}, {"model": "wagtailcore.grouppagepermission", "pk": 5, "fields": {"group": 2, "page": 1, "permission": 34}}, {"model": "wagtailcore.grouppagepermission", "pk": 6, "fields": {"group": 1, "page": 1, "permission": 38}}, {"model": "wagtailcore.grouppagepermission", "pk": 7, "fields": {"group": 1, "page": 1, "permission": 40}}, {"model": "wagtailcore.workflowpage", "pk": 1, "fields": {"workflow": 1}}, {"model": "wagtailcore.workflowtask", "pk": 1, "fields": {"sort_order": 0, "workflow": 1, "task": 1}}, {"model": "wagtailcore.task", "pk": 1, "fields": {"name": "Moderators approval", "content_type": 3, "active": true}}, {"model": "wagtailcore.workflow", "pk": 1, "fields": {"name": "Moderators approval", "active": true}}, {"model": "wagtailcore.groupapprovaltask", "pk": 1, "fields": {"groups": [1]}}, {"model": "wagtailcore.pagelogentry", "pk": 1, "fields": {"content_type": 4, "label": "Home", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-16T12:34:53.876Z", "uuid": "a1eeaa61-fe53-4468-ac80-6c3ac01d3dfd", "user": 1, "revision": 1, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 2, "fields": {"content_type": 4, "label": "Home", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-16T12:34:53.898Z", "uuid": "a1eeaa61-fe53-4468-ac80-6c3ac01d3dfd", "user": 1, "revision": 1, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 3, "fields": {"content_type": 56, "label": "Finance Courses", "action": "wagtail.create", "data": {}, "timestamp": "2024-07-17T08:06:33.018Z", "uuid": "2bcee153-f066-4c7e-906b-ef7dab894da4", "user": 1, "revision": null, "content_changed": true, "deleted": false, "page": 4}}, {"model": "wagtailcore.pagelogentry", "pk": 4, "fields": {"content_type": 56, "label": "Finance Courses", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:06:33.030Z", "uuid": "2bcee153-f066-4c7e-906b-ef7dab894da4", "user": 1, "revision": 2, "content_changed": true, "deleted": false, "page": 4}}, {"model": "wagtailcore.pagelogentry", "pk": 5, "fields": {"content_type": 56, "label": "Finance Courses", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T08:06:33.051Z", "uuid": "2bcee153-f066-4c7e-906b-ef7dab894da4", "user": 1, "revision": 2, "content_changed": true, "deleted": false, "page": 4}}, {"model": "wagtailcore.pagelogentry", "pk": 6, "fields": {"content_type": 56, "label": "Finance Courses", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:07:05.126Z", "uuid": "68a28a2f-a5ba-42ea-9955-52593f1ec91f", "user": 1, "revision": 3, "content_changed": true, "deleted": false, "page": 4}}, {"model": "wagtailcore.pagelogentry", "pk": 7, "fields": {"content_type": 56, "label": "Finance Courses", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T08:07:05.156Z", "uuid": "68a28a2f-a5ba-42ea-9955-52593f1ec91f", "user": 1, "revision": 3, "content_changed": true, "deleted": false, "page": 4}}, {"model": "wagtailcore.pagelogentry", "pk": 8, "fields": {"content_type": 55, "label": "One", "action": "wagtail.create", "data": {}, "timestamp": "2024-07-17T08:34:51.340Z", "uuid": "aaebc24f-0506-451b-be3f-dc61dd7e3beb", "user": 1, "revision": null, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 9, "fields": {"content_type": 55, "label": "One", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:34:51.354Z", "uuid": "aaebc24f-0506-451b-be3f-dc61dd7e3beb", "user": 1, "revision": 4, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 10, "fields": {"content_type": 55, "label": "One", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:34:54.970Z", "uuid": "42e0b3f0-04e4-4863-95c1-2af02695d2ce", "user": 1, "revision": 5, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 11, "fields": {"content_type": 55, "label": "One", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T08:34:54.990Z", "uuid": "42e0b3f0-04e4-4863-95c1-2af02695d2ce", "user": 1, "revision": 5, "content_changed": false, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 12, "fields": {"content_type": 29, "label": "About", "action": "wagtail.create", "data": {}, "timestamp": "2024-07-17T08:36:51.825Z", "uuid": "8ee25787-4076-4572-a8d2-48c4290500b1", "user": 1, "revision": null, "content_changed": true, "deleted": false, "page": 6}}, {"model": "wagtailcore.pagelogentry", "pk": 13, "fields": {"content_type": 29, "label": "About", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:36:51.836Z", "uuid": "8ee25787-4076-4572-a8d2-48c4290500b1", "user": 1, "revision": 6, "content_changed": true, "deleted": false, "page": 6}}, {"model": "wagtailcore.pagelogentry", "pk": 14, "fields": {"content_type": 29, "label": "About", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T08:36:51.855Z", "uuid": "8ee25787-4076-4572-a8d2-48c4290500b1", "user": 1, "revision": 6, "content_changed": true, "deleted": false, "page": 6}}, {"model": "wagtailcore.pagelogentry", "pk": 15, "fields": {"content_type": 29, "label": "About", "action": "wagtail.move", "data": {"source": {"id": 1, "title": "Root"}, "destination": {"id": 3, "title": "Home"}}, "timestamp": "2024-07-17T08:37:12.883Z", "uuid": "97e32807-7125-43df-ad43-015c03edec24", "user": 1, "revision": null, "content_changed": false, "deleted": false, "page": 6}}, {"model": "wagtailcore.pagelogentry", "pk": 16, "fields": {"content_type": 4, "label": "Home", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:50:43.182Z", "uuid": "9ae23e84-64e6-41c4-ad49-1c86a1ad735f", "user": 1, "revision": 7, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 17, "fields": {"content_type": 4, "label": "We help Craft Dreams of Needy Students!", "action": "wagtail.rename", "data": {"title": {"old": "Home", "new": "We help Craft Dreams of Needy Students!"}}, "timestamp": "2024-07-17T08:50:43.200Z", "uuid": "9ae23e84-64e6-41c4-ad49-1c86a1ad735f", "user": 1, "revision": 7, "content_changed": false, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 18, "fields": {"content_type": 4, "label": "We help Craft Dreams of Needy Students!", "action": "wagtail.publish", "data": {"title": {"old": "Home", "new": "We help Craft Dreams of Needy Students!"}}, "timestamp": "2024-07-17T08:50:43.202Z", "uuid": "9ae23e84-64e6-41c4-ad49-1c86a1ad735f", "user": 1, "revision": 7, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 19, "fields": {"content_type": 4, "label": "We help Craft Dreams of Needy Students!", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T08:53:49.561Z", "uuid": "1a282fb7-ee28-4159-8925-16cff5ba941f", "user": 1, "revision": 8, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 20, "fields": {"content_type": 4, "label": "We help Craft Dreams of Needy Students!", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T08:53:49.581Z", "uuid": "1a282fb7-ee28-4159-8925-16cff5ba941f", "user": 1, "revision": 8, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 21, "fields": {"content_type": 4, "label": "We help Craft Dreams of Needy Students!", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T09:08:53.800Z", "uuid": "066ae5b8-36f8-4e0b-aa27-7f994a0dd6e8", "user": 1, "revision": 9, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 22, "fields": {"content_type": 4, "label": "We help Craft Dreams of Needy Students!", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T09:08:53.824Z", "uuid": "066ae5b8-36f8-4e0b-aa27-7f994a0dd6e8", "user": 1, "revision": 9, "content_changed": true, "deleted": false, "page": 3}}, {"model": "wagtailcore.pagelogentry", "pk": 23, "fields": {"content_type": 33, "label": "About", "action": "wagtail.create", "data": {}, "timestamp": "2024-07-17T09:37:53.052Z", "uuid": "c986a5ce-c829-4fd7-b90c-15d6ac6dec62", "user": 1, "revision": null, "content_changed": true, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 24, "fields": {"content_type": 33, "label": "About", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T09:37:53.065Z", "uuid": "c986a5ce-c829-4fd7-b90c-15d6ac6dec62", "user": 1, "revision": 10, "content_changed": true, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 25, "fields": {"content_type": 33, "label": "About", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T09:37:55.614Z", "uuid": "3e486501-b1c0-49da-92ae-f740225972f7", "user": 1, "revision": 11, "content_changed": true, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 26, "fields": {"content_type": 33, "label": "About", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T09:37:55.629Z", "uuid": "3e486501-b1c0-49da-92ae-f740225972f7", "user": 1, "revision": 11, "content_changed": false, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 27, "fields": {"content_type": 33, "label": "About", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T09:38:35.947Z", "uuid": "0a363143-d753-41a7-9852-969dcd98761b", "user": 1, "revision": 12, "content_changed": true, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 28, "fields": {"content_type": 33, "label": "Contact", "action": "wagtail.rename", "data": {"title": {"old": "About", "new": "Contact"}}, "timestamp": "2024-07-17T09:38:35.970Z", "uuid": "0a363143-d753-41a7-9852-969dcd98761b", "user": 1, "revision": 12, "content_changed": false, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 29, "fields": {"content_type": 33, "label": "Contact", "action": "wagtail.publish", "data": {"title": {"old": "About", "new": "Contact"}}, "timestamp": "2024-07-17T09:38:35.973Z", "uuid": "0a363143-d753-41a7-9852-969dcd98761b", "user": 1, "revision": 12, "content_changed": true, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 30, "fields": {"content_type": 1, "label": "Contact", "action": "wagtail.move", "data": {"source": {"id": 1, "title": "Root"}, "destination": {"id": 3, "title": "We help Craft Dreams of Needy Students!"}}, "timestamp": "2024-07-17T09:39:08.423Z", "uuid": "5644e9ca-7a35-4ccd-b146-d3789a3eb74c", "user": 1, "revision": null, "content_changed": false, "deleted": false, "page": 7}}, {"model": "wagtailcore.pagelogentry", "pk": 31, "fields": {"content_type": 29, "label": "Privacy Policy", "action": "wagtail.create", "data": {}, "timestamp": "2024-07-17T10:15:53.359Z", "uuid": "d0c10f60-04ed-44fc-9c16-6d2e2c8fb4b2", "user": 1, "revision": null, "content_changed": true, "deleted": false, "page": 8}}, {"model": "wagtailcore.pagelogentry", "pk": 32, "fields": {"content_type": 29, "label": "Privacy Policy", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T10:15:53.373Z", "uuid": "d0c10f60-04ed-44fc-9c16-6d2e2c8fb4b2", "user": 1, "revision": 13, "content_changed": true, "deleted": false, "page": 8}}, {"model": "wagtailcore.pagelogentry", "pk": 33, "fields": {"content_type": 29, "label": "Privacy Policy", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T10:15:53.393Z", "uuid": "d0c10f60-04ed-44fc-9c16-6d2e2c8fb4b2", "user": 1, "revision": 13, "content_changed": true, "deleted": false, "page": 8}}, {"model": "wagtailcore.pagelogentry", "pk": 34, "fields": {"content_type": 55, "label": "One", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T10:51:12.896Z", "uuid": "482b89fa-7f74-49a3-b6f8-f2515c492e68", "user": 1, "revision": 14, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 35, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.rename", "data": {"title": {"old": "One", "new": "Introduction to Financial Accounting"}}, "timestamp": "2024-07-17T10:51:12.919Z", "uuid": "482b89fa-7f74-49a3-b6f8-f2515c492e68", "user": 1, "revision": 14, "content_changed": false, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 36, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.publish", "data": {"title": {"old": "One", "new": "Introduction to Financial Accounting"}}, "timestamp": "2024-07-17T10:51:12.921Z", "uuid": "482b89fa-7f74-49a3-b6f8-f2515c492e68", "user": 1, "revision": 14, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 37, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T10:51:46.754Z", "uuid": "c097f254-0d79-49ec-876c-058728399392", "user": 1, "revision": 15, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 38, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T10:51:46.778Z", "uuid": "c097f254-0d79-49ec-876c-058728399392", "user": 1, "revision": 15, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 39, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T10:53:18.374Z", "uuid": "8127ad69-45a9-4a5f-ad11-8bdbd359c7aa", "user": 1, "revision": 16, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 40, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T10:53:18.400Z", "uuid": "8127ad69-45a9-4a5f-ad11-8bdbd359c7aa", "user": 1, "revision": 16, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 41, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-17T10:54:36.535Z", "uuid": "092e3fa9-a1c9-43ba-bf80-e66717780800", "user": 1, "revision": 17, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 42, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-17T10:54:36.597Z", "uuid": "092e3fa9-a1c9-43ba-bf80-e66717780800", "user": 1, "revision": 17, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 43, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-18T10:03:27.076Z", "uuid": "c38a0422-7972-4622-b73b-140dfcafc996", "user": 1, "revision": 18, "content_changed": true, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 44, "fields": {"content_type": 55, "label": "Introduction to Financial Accounting", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-18T10:03:27.100Z", "uuid": "c38a0422-7972-4622-b73b-140dfcafc996", "user": 1, "revision": 18, "content_changed": false, "deleted": false, "page": 5}}, {"model": "wagtailcore.pagelogentry", "pk": 45, "fields": {"content_type": 29, "label": "Privacy Policy", "action": "wagtail.edit", "data": {}, "timestamp": "2024-07-20T10:12:21.820Z", "uuid": "7fe56bfd-048a-48f1-9353-058a326e51bb", "user": 1, "revision": 19, "content_changed": true, "deleted": false, "page": 8}}, {"model": "wagtailcore.pagelogentry", "pk": 46, "fields": {"content_type": 29, "label": "Privacy Policy", "action": "wagtail.publish", "data": {}, "timestamp": "2024-07-20T10:12:21.843Z", "uuid": "7fe56bfd-048a-48f1-9353-058a326e51bb", "user": 1, "revision": 19, "content_changed": true, "deleted": false, "page": 8}}, {"model": "wagtailcore.pagesubscription", "pk": 1, "fields": {"user": 1, "page": 3, "comment_notifications": false}}, {"model": "wagtailcore.pagesubscription", "pk": 2, "fields": {"user": 1, "page": 4, "comment_notifications": true}}, {"model": "wagtailcore.pagesubscription", "pk": 3, "fields": {"user": 1, "page": 5, "comment_notifications": true}}, {"model": "wagtailcore.pagesubscription", "pk": 4, "fields": {"user": 1, "page": 6, "comment_notifications": true}}, {"model": "wagtailcore.pagesubscription", "pk": 5, "fields": {"user": 1, "page": 7, "comment_notifications": true}}, {"model": "wagtailcore.pagesubscription", "pk": 6, "fields": {"user": 1, "page": 8, "comment_notifications": true}}, {"model": "taggit.tag", "pk": 1, "fields": {"name": "sopan", "slug": "sopan"}}, {"model": "taggit.tag", "pk": 2, "fields": {"name": "finance", "slug": "finance"}}, {"model": "taggit.taggeditem", "pk": 1, "fields": {"tag": 1, "content_type": 2, "object_id": 5}}, {"model": "auth.permission", "pk": 1, "fields": {"name": "Can add image", "content_type": 2, "codename": "add_image"}}, {"model": "auth.permission", "pk": 2, "fields": {"name": "Can change image", "content_type": 2, "codename": "change_image"}}, {"model": "auth.permission", "pk": 3, "fields": {"name": "Can delete image", "content_type": 2, "codename": "delete_image"}}, {"model": "auth.permission", "pk": 4, "fields": {"name": "Can choose image", "content_type": 2, "codename": "choose_image"}}, {"model": "auth.permission", "pk": 5, "fields": {"name": "Can add locale", "content_type": 5, "codename": "add_locale"}}, {"model": "auth.permission", "pk": 6, "fields": {"name": "Can change locale", "content_type": 5, "codename": "change_locale"}}, {"model": "auth.permission", "pk": 7, "fields": {"name": "Can delete locale", "content_type": 5, "codename": "delete_locale"}}, {"model": "auth.permission", "pk": 8, "fields": {"name": "Can view locale", "content_type": 5, "codename": "view_locale"}}, {"model": "auth.permission", "pk": 9, "fields": {"name": "Can add site", "content_type": 6, "codename": "add_site"}}, {"model": "auth.permission", "pk": 10, "fields": {"name": "Can change site", "content_type": 6, "codename": "change_site"}}, {"model": "auth.permission", "pk": 11, "fields": {"name": "Can delete site", "content_type": 6, "codename": "delete_site"}}, {"model": "auth.permission", "pk": 12, "fields": {"name": "Can view site", "content_type": 6, "codename": "view_site"}}, {"model": "auth.permission", "pk": 13, "fields": {"name": "Can add model log entry", "content_type": 7, "codename": "add_modellogentry"}}, {"model": "auth.permission", "pk": 14, "fields": {"name": "Can change model log entry", "content_type": 7, "codename": "change_modellogentry"}}, {"model": "auth.permission", "pk": 15, "fields": {"name": "Can delete model log entry", "content_type": 7, "codename": "delete_modellogentry"}}, {"model": "auth.permission", "pk": 16, "fields": {"name": "Can view model log entry", "content_type": 7, "codename": "view_modellogentry"}}, {"model": "auth.permission", "pk": 17, "fields": {"name": "Can add collection view restriction", "content_type": 8, "codename": "add_collectionviewrestriction"}}, {"model": "auth.permission", "pk": 18, "fields": {"name": "Can change collection view restriction", "content_type": 8, "codename": "change_collectionviewrestriction"}}, {"model": "auth.permission", "pk": 19, "fields": {"name": "Can delete collection view restriction", "content_type": 8, "codename": "delete_collectionviewrestriction"}}, {"model": "auth.permission", "pk": 20, "fields": {"name": "Can view collection view restriction", "content_type": 8, "codename": "view_collectionviewrestriction"}}, {"model": "auth.permission", "pk": 21, "fields": {"name": "Can add collection", "content_type": 9, "codename": "add_collection"}}, {"model": "auth.permission", "pk": 22, "fields": {"name": "Can change collection", "content_type": 9, "codename": "change_collection"}}, {"model": "auth.permission", "pk": 23, "fields": {"name": "Can delete collection", "content_type": 9, "codename": "delete_collection"}}, {"model": "auth.permission", "pk": 24, "fields": {"name": "Can view collection", "content_type": 9, "codename": "view_collection"}}, {"model": "auth.permission", "pk": 25, "fields": {"name": "Can add group collection permission", "content_type": 10, "codename": "add_groupcollectionpermission"}}, {"model": "auth.permission", "pk": 26, "fields": {"name": "Can change group collection permission", "content_type": 10, "codename": "change_groupcollectionpermission"}}, {"model": "auth.permission", "pk": 27, "fields": {"name": "Can delete group collection permission", "content_type": 10, "codename": "delete_groupcollectionpermission"}}, {"model": "auth.permission", "pk": 28, "fields": {"name": "Can view group collection permission", "content_type": 10, "codename": "view_groupcollectionpermission"}}, {"model": "auth.permission", "pk": 29, "fields": {"name": "Can add reference index", "content_type": 11, "codename": "add_referenceindex"}}, {"model": "auth.permission", "pk": 30, "fields": {"name": "Can change reference index", "content_type": 11, "codename": "change_referenceindex"}}, {"model": "auth.permission", "pk": 31, "fields": {"name": "Can delete reference index", "content_type": 11, "codename": "delete_referenceindex"}}, {"model": "auth.permission", "pk": 32, "fields": {"name": "Can view reference index", "content_type": 11, "codename": "view_referenceindex"}}, {"model": "auth.permission", "pk": 33, "fields": {"name": "Can add page", "content_type": 1, "codename": "add_page"}}, {"model": "auth.permission", "pk": 34, "fields": {"name": "Can change page", "content_type": 1, "codename": "change_page"}}, {"model": "auth.permission", "pk": 35, "fields": {"name": "Can delete page", "content_type": 1, "codename": "delete_page"}}, {"model": "auth.permission", "pk": 36, "fields": {"name": "Can view page", "content_type": 1, "codename": "view_page"}}, {"model": "auth.permission", "pk": 37, "fields": {"name": "Delete pages with children", "content_type": 1, "codename": "bulk_delete_page"}}, {"model": "auth.permission", "pk": 38, "fields": {"name": "Lock/unlock pages you've locked", "content_type": 1, "codename": "lock_page"}}, {"model": "auth.permission", "pk": 39, "fields": {"name": "Publish any page", "content_type": 1, "codename": "publish_page"}}, {"model": "auth.permission", "pk": 40, "fields": {"name": "Unlock any page", "content_type": 1, "codename": "unlock_page"}}, {"model": "auth.permission", "pk": 41, "fields": {"name": "Can add revision", "content_type": 12, "codename": "add_revision"}}, {"model": "auth.permission", "pk": 42, "fields": {"name": "Can change revision", "content_type": 12, "codename": "change_revision"}}, {"model": "auth.permission", "pk": 43, "fields": {"name": "Can delete revision", "content_type": 12, "codename": "delete_revision"}}, {"model": "auth.permission", "pk": 44, "fields": {"name": "Can view revision", "content_type": 12, "codename": "view_revision"}}, {"model": "auth.permission", "pk": 45, "fields": {"name": "Can add group page permission", "content_type": 13, "codename": "add_grouppagepermission"}}, {"model": "auth.permission", "pk": 46, "fields": {"name": "Can change group page permission", "content_type": 13, "codename": "change_grouppagepermission"}}, {"model": "auth.permission", "pk": 47, "fields": {"name": "Can delete group page permission", "content_type": 13, "codename": "delete_grouppagepermission"}}, {"model": "auth.permission", "pk": 48, "fields": {"name": "Can view group page permission", "content_type": 13, "codename": "view_grouppagepermission"}}, {"model": "auth.permission", "pk": 49, "fields": {"name": "Can add page view restriction", "content_type": 14, "codename": "add_pageviewrestriction"}}, {"model": "auth.permission", "pk": 50, "fields": {"name": "Can change page view restriction", "content_type": 14, "codename": "change_pageviewrestriction"}}, {"model": "auth.permission", "pk": 51, "fields": {"name": "Can delete page view restriction", "content_type": 14, "codename": "delete_pageviewrestriction"}}, {"model": "auth.permission", "pk": 52, "fields": {"name": "Can view page view restriction", "content_type": 14, "codename": "view_pageviewrestriction"}}, {"model": "auth.permission", "pk": 53, "fields": {"name": "Can add workflow page", "content_type": 15, "codename": "add_workflowpage"}}, {"model": "auth.permission", "pk": 54, "fields": {"name": "Can change workflow page", "content_type": 15, "codename": "change_workflowpage"}}, {"model": "auth.permission", "pk": 55, "fields": {"name": "Can delete workflow page", "content_type": 15, "codename": "delete_workflowpage"}}, {"model": "auth.permission", "pk": 56, "fields": {"name": "Can view workflow page", "content_type": 15, "codename": "view_workflowpage"}}, {"model": "auth.permission", "pk": 57, "fields": {"name": "Can add workflow content type", "content_type": 16, "codename": "add_workflowcontenttype"}}, {"model": "auth.permission", "pk": 58, "fields": {"name": "Can change workflow content type", "content_type": 16, "codename": "change_workflowcontenttype"}}, {"model": "auth.permission", "pk": 59, "fields": {"name": "Can delete workflow content type", "content_type": 16, "codename": "delete_workflowcontenttype"}}, {"model": "auth.permission", "pk": 60, "fields": {"name": "Can view workflow content type", "content_type": 16, "codename": "view_workflowcontenttype"}}, {"model": "auth.permission", "pk": 61, "fields": {"name": "Can add workflow task order", "content_type": 17, "codename": "add_workflowtask"}}, {"model": "auth.permission", "pk": 62, "fields": {"name": "Can change workflow task order", "content_type": 17, "codename": "change_workflowtask"}}, {"model": "auth.permission", "pk": 63, "fields": {"name": "Can delete workflow task order", "content_type": 17, "codename": "delete_workflowtask"}}, {"model": "auth.permission", "pk": 64, "fields": {"name": "Can view workflow task order", "content_type": 17, "codename": "view_workflowtask"}}, {"model": "auth.permission", "pk": 65, "fields": {"name": "Can add task", "content_type": 18, "codename": "add_task"}}, {"model": "auth.permission", "pk": 66, "fields": {"name": "Can change task", "content_type": 18, "codename": "change_task"}}, {"model": "auth.permission", "pk": 67, "fields": {"name": "Can delete task", "content_type": 18, "codename": "delete_task"}}, {"model": "auth.permission", "pk": 68, "fields": {"name": "Can view task", "content_type": 18, "codename": "view_task"}}, {"model": "auth.permission", "pk": 69, "fields": {"name": "Can add workflow", "content_type": 19, "codename": "add_workflow"}}, {"model": "auth.permission", "pk": 70, "fields": {"name": "Can change workflow", "content_type": 19, "codename": "change_workflow"}}, {"model": "auth.permission", "pk": 71, "fields": {"name": "Can delete workflow", "content_type": 19, "codename": "delete_workflow"}}, {"model": "auth.permission", "pk": 72, "fields": {"name": "Can view workflow", "content_type": 19, "codename": "view_workflow"}}, {"model": "auth.permission", "pk": 73, "fields": {"name": "Can add Group approval task", "content_type": 3, "codename": "add_groupapprovaltask"}}, {"model": "auth.permission", "pk": 74, "fields": {"name": "Can change Group approval task", "content_type": 3, "codename": "change_groupapprovaltask"}}, {"model": "auth.permission", "pk": 75, "fields": {"name": "Can delete Group approval task", "content_type": 3, "codename": "delete_groupapprovaltask"}}, {"model": "auth.permission", "pk": 76, "fields": {"name": "Can view Group approval task", "content_type": 3, "codename": "view_groupapprovaltask"}}, {"model": "auth.permission", "pk": 77, "fields": {"name": "Can add Workflow state", "content_type": 20, "codename": "add_workflowstate"}}, {"model": "auth.permission", "pk": 78, "fields": {"name": "Can change Workflow state", "content_type": 20, "codename": "change_workflowstate"}}, {"model": "auth.permission", "pk": 79, "fields": {"name": "Can delete Workflow state", "content_type": 20, "codename": "delete_workflowstate"}}, {"model": "auth.permission", "pk": 80, "fields": {"name": "Can view Workflow state", "content_type": 20, "codename": "view_workflowstate"}}, {"model": "auth.permission", "pk": 81, "fields": {"name": "Can add Task state", "content_type": 21, "codename": "add_taskstate"}}, {"model": "auth.permission", "pk": 82, "fields": {"name": "Can change Task state", "content_type": 21, "codename": "change_taskstate"}}, {"model": "auth.permission", "pk": 83, "fields": {"name": "Can delete Task state", "content_type": 21, "codename": "delete_taskstate"}}, {"model": "auth.permission", "pk": 84, "fields": {"name": "Can view Task state", "content_type": 21, "codename": "view_taskstate"}}, {"model": "auth.permission", "pk": 85, "fields": {"name": "Can add page log entry", "content_type": 22, "codename": "add_pagelogentry"}}, {"model": "auth.permission", "pk": 86, "fields": {"name": "Can change page log entry", "content_type": 22, "codename": "change_pagelogentry"}}, {"model": "auth.permission", "pk": 87, "fields": {"name": "Can delete page log entry", "content_type": 22, "codename": "delete_pagelogentry"}}, {"model": "auth.permission", "pk": 88, "fields": {"name": "Can view page log entry", "content_type": 22, "codename": "view_pagelogentry"}}, {"model": "auth.permission", "pk": 89, "fields": {"name": "Can add comment", "content_type": 23, "codename": "add_comment"}}, {"model": "auth.permission", "pk": 90, "fields": {"name": "Can change comment", "content_type": 23, "codename": "change_comment"}}, {"model": "auth.permission", "pk": 91, "fields": {"name": "Can delete comment", "content_type": 23, "codename": "delete_comment"}}, {"model": "auth.permission", "pk": 92, "fields": {"name": "Can view comment", "content_type": 23, "codename": "view_comment"}}, {"model": "auth.permission", "pk": 93, "fields": {"name": "Can add comment reply", "content_type": 24, "codename": "add_commentreply"}}, {"model": "auth.permission", "pk": 94, "fields": {"name": "Can change comment reply", "content_type": 24, "codename": "change_commentreply"}}, {"model": "auth.permission", "pk": 95, "fields": {"name": "Can delete comment reply", "content_type": 24, "codename": "delete_commentreply"}}, {"model": "auth.permission", "pk": 96, "fields": {"name": "Can view comment reply", "content_type": 24, "codename": "view_commentreply"}}, {"model": "auth.permission", "pk": 97, "fields": {"name": "Can add page subscription", "content_type": 25, "codename": "add_pagesubscription"}}, {"model": "auth.permission", "pk": 98, "fields": {"name": "Can change page subscription", "content_type": 25, "codename": "change_pagesubscription"}}, {"model": "auth.permission", "pk": 99, "fields": {"name": "Can delete page subscription", "content_type": 25, "codename": "delete_pagesubscription"}}, {"model": "auth.permission", "pk": 100, "fields": {"name": "Can view page subscription", "content_type": 25, "codename": "view_pagesubscription"}}, {"model": "auth.permission", "pk": 101, "fields": {"name": "Can access Wagtail admin", "content_type": 26, "codename": "access_admin"}}, {"model": "auth.permission", "pk": 102, "fields": {"name": "Can add document", "content_type": 27, "codename": "add_document"}}, {"model": "auth.permission", "pk": 103, "fields": {"name": "Can change document", "content_type": 27, "codename": "change_document"}}, {"model": "auth.permission", "pk": 104, "fields": {"name": "Can delete document", "content_type": 27, "codename": "delete_document"}}, {"model": "auth.permission", "pk": 105, "fields": {"name": "Can choose document", "content_type": 27, "codename": "choose_document"}}, {"model": "auth.permission", "pk": 106, "fields": {"name": "Can add home page", "content_type": 4, "codename": "add_homepage"}}, {"model": "auth.permission", "pk": 107, "fields": {"name": "Can change home page", "content_type": 4, "codename": "change_homepage"}}, {"model": "auth.permission", "pk": 108, "fields": {"name": "Can delete home page", "content_type": 4, "codename": "delete_homepage"}}, {"model": "auth.permission", "pk": 109, "fields": {"name": "Can view home page", "content_type": 4, "codename": "view_homepage"}}, {"model": "auth.permission", "pk": 110, "fields": {"name": "Can add generic settings", "content_type": 28, "codename": "add_genericsettings"}}, {"model": "auth.permission", "pk": 111, "fields": {"name": "Can change generic settings", "content_type": 28, "codename": "change_genericsettings"}}, {"model": "auth.permission", "pk": 112, "fields": {"name": "Can delete generic settings", "content_type": 28, "codename": "delete_genericsettings"}}, {"model": "auth.permission", "pk": 113, "fields": {"name": "Can view generic settings", "content_type": 28, "codename": "view_genericsettings"}}, {"model": "auth.permission", "pk": 114, "fields": {"name": "Can add standard page", "content_type": 29, "codename": "add_standardpage"}}, {"model": "auth.permission", "pk": 115, "fields": {"name": "Can change standard page", "content_type": 29, "codename": "change_standardpage"}}, {"model": "auth.permission", "pk": 116, "fields": {"name": "Can delete standard page", "content_type": 29, "codename": "delete_standardpage"}}, {"model": "auth.permission", "pk": 117, "fields": {"name": "Can view standard page", "content_type": 29, "codename": "view_standardpage"}}, {"model": "auth.permission", "pk": 118, "fields": {"name": "Can add site settings", "content_type": 30, "codename": "add_sitesettings"}}, {"model": "auth.permission", "pk": 119, "fields": {"name": "Can change site settings", "content_type": 30, "codename": "change_sitesettings"}}, {"model": "auth.permission", "pk": 120, "fields": {"name": "Can delete site settings", "content_type": 30, "codename": "delete_sitesettings"}}, {"model": "auth.permission", "pk": 121, "fields": {"name": "Can view site settings", "content_type": 30, "codename": "view_sitesettings"}}, {"model": "auth.permission", "pk": 122, "fields": {"name": "Can add Person", "content_type": 31, "codename": "add_person"}}, {"model": "auth.permission", "pk": 123, "fields": {"name": "Can change Person", "content_type": 31, "codename": "change_person"}}, {"model": "auth.permission", "pk": 124, "fields": {"name": "Can delete Person", "content_type": 31, "codename": "delete_person"}}, {"model": "auth.permission", "pk": 125, "fields": {"name": "Can view Person", "content_type": 31, "codename": "view_person"}}, {"model": "auth.permission", "pk": 126, "fields": {"name": "Can add gallery page", "content_type": 32, "codename": "add_gallerypage"}}, {"model": "auth.permission", "pk": 127, "fields": {"name": "Can change gallery page", "content_type": 32, "codename": "change_gallerypage"}}, {"model": "auth.permission", "pk": 128, "fields": {"name": "Can delete gallery page", "content_type": 32, "codename": "delete_gallerypage"}}, {"model": "auth.permission", "pk": 129, "fields": {"name": "Can view gallery page", "content_type": 32, "codename": "view_gallerypage"}}, {"model": "auth.permission", "pk": 130, "fields": {"name": "Can add form page", "content_type": 33, "codename": "add_formpage"}}, {"model": "auth.permission", "pk": 131, "fields": {"name": "Can change form page", "content_type": 33, "codename": "change_formpage"}}, {"model": "auth.permission", "pk": 132, "fields": {"name": "Can delete form page", "content_type": 33, "codename": "delete_formpage"}}, {"model": "auth.permission", "pk": 133, "fields": {"name": "Can view form page", "content_type": 33, "codename": "view_formpage"}}, {"model": "auth.permission", "pk": 134, "fields": {"name": "Can add form field", "content_type": 34, "codename": "add_formfield"}}, {"model": "auth.permission", "pk": 135, "fields": {"name": "Can change form field", "content_type": 34, "codename": "change_formfield"}}, {"model": "auth.permission", "pk": 136, "fields": {"name": "Can delete form field", "content_type": 34, "codename": "delete_formfield"}}, {"model": "auth.permission", "pk": 137, "fields": {"name": "Can view form field", "content_type": 34, "codename": "view_formfield"}}, {"model": "auth.permission", "pk": 138, "fields": {"name": "Can add footer text", "content_type": 35, "codename": "add_footertext"}}, {"model": "auth.permission", "pk": 139, "fields": {"name": "Can change footer text", "content_type": 35, "codename": "change_footertext"}}, {"model": "auth.permission", "pk": 140, "fields": {"name": "Can delete footer text", "content_type": 35, "codename": "delete_footertext"}}, {"model": "auth.permission", "pk": 141, "fields": {"name": "Can view footer text", "content_type": 35, "codename": "view_footertext"}}, {"model": "auth.permission", "pk": 142, "fields": {"name": "Can add form submission", "content_type": 36, "codename": "add_formsubmission"}}, {"model": "auth.permission", "pk": 143, "fields": {"name": "Can change form submission", "content_type": 36, "codename": "change_formsubmission"}}, {"model": "auth.permission", "pk": 144, "fields": {"name": "Can delete form submission", "content_type": 36, "codename": "delete_formsubmission"}}, {"model": "auth.permission", "pk": 145, "fields": {"name": "Can view form submission", "content_type": 36, "codename": "view_formsubmission"}}, {"model": "auth.permission", "pk": 146, "fields": {"name": "Can add redirect", "content_type": 37, "codename": "add_redirect"}}, {"model": "auth.permission", "pk": 147, "fields": {"name": "Can change redirect", "content_type": 37, "codename": "change_redirect"}}, {"model": "auth.permission", "pk": 148, "fields": {"name": "Can delete redirect", "content_type": 37, "codename": "delete_redirect"}}, {"model": "auth.permission", "pk": 149, "fields": {"name": "Can view redirect", "content_type": 37, "codename": "view_redirect"}}, {"model": "auth.permission", "pk": 150, "fields": {"name": "Can add embed", "content_type": 38, "codename": "add_embed"}}, {"model": "auth.permission", "pk": 151, "fields": {"name": "Can change embed", "content_type": 38, "codename": "change_embed"}}, {"model": "auth.permission", "pk": 152, "fields": {"name": "Can delete embed", "content_type": 38, "codename": "delete_embed"}}, {"model": "auth.permission", "pk": 153, "fields": {"name": "Can view embed", "content_type": 38, "codename": "view_embed"}}, {"model": "auth.permission", "pk": 154, "fields": {"name": "Can add user profile", "content_type": 39, "codename": "add_userprofile"}}, {"model": "auth.permission", "pk": 155, "fields": {"name": "Can change user profile", "content_type": 39, "codename": "change_userprofile"}}, {"model": "auth.permission", "pk": 156, "fields": {"name": "Can delete user profile", "content_type": 39, "codename": "delete_userprofile"}}, {"model": "auth.permission", "pk": 157, "fields": {"name": "Can view user profile", "content_type": 39, "codename": "view_userprofile"}}, {"model": "auth.permission", "pk": 158, "fields": {"name": "Can view document", "content_type": 27, "codename": "view_document"}}, {"model": "auth.permission", "pk": 159, "fields": {"name": "Can add uploaded document", "content_type": 40, "codename": "add_uploadeddocument"}}, {"model": "auth.permission", "pk": 160, "fields": {"name": "Can change uploaded document", "content_type": 40, "codename": "change_uploadeddocument"}}, {"model": "auth.permission", "pk": 161, "fields": {"name": "Can delete uploaded document", "content_type": 40, "codename": "delete_uploadeddocument"}}, {"model": "auth.permission", "pk": 162, "fields": {"name": "Can view uploaded document", "content_type": 40, "codename": "view_uploadeddocument"}}, {"model": "auth.permission", "pk": 163, "fields": {"name": "Can view image", "content_type": 2, "codename": "view_image"}}, {"model": "auth.permission", "pk": 164, "fields": {"name": "Can add rendition", "content_type": 41, "codename": "add_rendition"}}, {"model": "auth.permission", "pk": 165, "fields": {"name": "Can change rendition", "content_type": 41, "codename": "change_rendition"}}, {"model": "auth.permission", "pk": 166, "fields": {"name": "Can delete rendition", "content_type": 41, "codename": "delete_rendition"}}, {"model": "auth.permission", "pk": 167, "fields": {"name": "Can view rendition", "content_type": 41, "codename": "view_rendition"}}, {"model": "auth.permission", "pk": 168, "fields": {"name": "Can add uploaded image", "content_type": 42, "codename": "add_uploadedimage"}}, {"model": "auth.permission", "pk": 169, "fields": {"name": "Can change uploaded image", "content_type": 42, "codename": "change_uploadedimage"}}, {"model": "auth.permission", "pk": 170, "fields": {"name": "Can delete uploaded image", "content_type": 42, "codename": "delete_uploadedimage"}}, {"model": "auth.permission", "pk": 171, "fields": {"name": "Can view uploaded image", "content_type": 42, "codename": "view_uploadedimage"}}, {"model": "auth.permission", "pk": 172, "fields": {"name": "Can add index entry", "content_type": 43, "codename": "add_indexentry"}}, {"model": "auth.permission", "pk": 173, "fields": {"name": "Can change index entry", "content_type": 43, "codename": "change_indexentry"}}, {"model": "auth.permission", "pk": 174, "fields": {"name": "Can delete index entry", "content_type": 43, "codename": "delete_indexentry"}}, {"model": "auth.permission", "pk": 175, "fields": {"name": "Can view index entry", "content_type": 43, "codename": "view_indexentry"}}, {"model": "auth.permission", "pk": 176, "fields": {"name": "Can add sqliteftsindexentry", "content_type": 44, "codename": "add_sqliteftsindexentry"}}, {"model": "auth.permission", "pk": 177, "fields": {"name": "Can change sqliteftsindexentry", "content_type": 44, "codename": "change_sqliteftsindexentry"}}, {"model": "auth.permission", "pk": 178, "fields": {"name": "Can delete sqliteftsindexentry", "content_type": 44, "codename": "delete_sqliteftsindexentry"}}, {"model": "auth.permission", "pk": 179, "fields": {"name": "Can view sqliteftsindexentry", "content_type": 44, "codename": "view_sqliteftsindexentry"}}, {"model": "auth.permission", "pk": 180, "fields": {"name": "Can add tag", "content_type": 45, "codename": "add_tag"}}, {"model": "auth.permission", "pk": 181, "fields": {"name": "Can change tag", "content_type": 45, "codename": "change_tag"}}, {"model": "auth.permission", "pk": 182, "fields": {"name": "Can delete tag", "content_type": 45, "codename": "delete_tag"}}, {"model": "auth.permission", "pk": 183, "fields": {"name": "Can view tag", "content_type": 45, "codename": "view_tag"}}, {"model": "auth.permission", "pk": 184, "fields": {"name": "Can add tagged item", "content_type": 46, "codename": "add_taggeditem"}}, {"model": "auth.permission", "pk": 185, "fields": {"name": "Can change tagged item", "content_type": 46, "codename": "change_taggeditem"}}, {"model": "auth.permission", "pk": 186, "fields": {"name": "Can delete tagged item", "content_type": 46, "codename": "delete_taggeditem"}}, {"model": "auth.permission", "pk": 187, "fields": {"name": "Can view tagged item", "content_type": 46, "codename": "view_taggeditem"}}, {"model": "auth.permission", "pk": 188, "fields": {"name": "Can add log entry", "content_type": 47, "codename": "add_logentry"}}, {"model": "auth.permission", "pk": 189, "fields": {"name": "Can change log entry", "content_type": 47, "codename": "change_logentry"}}, {"model": "auth.permission", "pk": 190, "fields": {"name": "Can delete log entry", "content_type": 47, "codename": "delete_logentry"}}, {"model": "auth.permission", "pk": 191, "fields": {"name": "Can view log entry", "content_type": 47, "codename": "view_logentry"}}, {"model": "auth.permission", "pk": 192, "fields": {"name": "Can add permission", "content_type": 48, "codename": "add_permission"}}, {"model": "auth.permission", "pk": 193, "fields": {"name": "Can change permission", "content_type": 48, "codename": "change_permission"}}, {"model": "auth.permission", "pk": 194, "fields": {"name": "Can delete permission", "content_type": 48, "codename": "delete_permission"}}, {"model": "auth.permission", "pk": 195, "fields": {"name": "Can view permission", "content_type": 48, "codename": "view_permission"}}, {"model": "auth.permission", "pk": 196, "fields": {"name": "Can add group", "content_type": 49, "codename": "add_group"}}, {"model": "auth.permission", "pk": 197, "fields": {"name": "Can change group", "content_type": 49, "codename": "change_group"}}, {"model": "auth.permission", "pk": 198, "fields": {"name": "Can delete group", "content_type": 49, "codename": "delete_group"}}, {"model": "auth.permission", "pk": 199, "fields": {"name": "Can view group", "content_type": 49, "codename": "view_group"}}, {"model": "auth.permission", "pk": 200, "fields": {"name": "Can add user", "content_type": 50, "codename": "add_user"}}, {"model": "auth.permission", "pk": 201, "fields": {"name": "Can change user", "content_type": 50, "codename": "change_user"}}, {"model": "auth.permission", "pk": 202, "fields": {"name": "Can delete user", "content_type": 50, "codename": "delete_user"}}, {"model": "auth.permission", "pk": 203, "fields": {"name": "Can view user", "content_type": 50, "codename": "view_user"}}, {"model": "auth.permission", "pk": 204, "fields": {"name": "Can add content type", "content_type": 51, "codename": "add_contenttype"}}, {"model": "auth.permission", "pk": 205, "fields": {"name": "Can change content type", "content_type": 51, "codename": "change_contenttype"}}, {"model": "auth.permission", "pk": 206, "fields": {"name": "Can delete content type", "content_type": 51, "codename": "delete_contenttype"}}, {"model": "auth.permission", "pk": 207, "fields": {"name": "Can view content type", "content_type": 51, "codename": "view_contenttype"}}, {"model": "auth.permission", "pk": 208, "fields": {"name": "Can add session", "content_type": 52, "codename": "add_session"}}, {"model": "auth.permission", "pk": 209, "fields": {"name": "Can change session", "content_type": 52, "codename": "change_session"}}, {"model": "auth.permission", "pk": 210, "fields": {"name": "Can delete session", "content_type": 52, "codename": "delete_session"}}, {"model": "auth.permission", "pk": 211, "fields": {"name": "Can view session", "content_type": 52, "codename": "view_session"}}, {"model": "auth.permission", "pk": 212, "fields": {"name": "Can add unblocklife logo", "content_type": 53, "codename": "add_unblocklifelogo"}}, {"model": "auth.permission", "pk": 213, "fields": {"name": "Can change unblocklife logo", "content_type": 53, "codename": "change_unblocklifelogo"}}, {"model": "auth.permission", "pk": 214, "fields": {"name": "Can delete unblocklife logo", "content_type": 53, "codename": "delete_unblocklifelogo"}}, {"model": "auth.permission", "pk": 215, "fields": {"name": "Can view unblocklife logo", "content_type": 53, "codename": "view_unblocklifelogo"}}, {"model": "auth.permission", "pk": 216, "fields": {"name": "Can add unblocklife thankyou", "content_type": 54, "codename": "add_unblocklifethankyou"}}, {"model": "auth.permission", "pk": 217, "fields": {"name": "Can change unblocklife thankyou", "content_type": 54, "codename": "change_unblocklifethankyou"}}, {"model": "auth.permission", "pk": 218, "fields": {"name": "Can delete unblocklife thankyou", "content_type": 54, "codename": "delete_unblocklifethankyou"}}, {"model": "auth.permission", "pk": 219, "fields": {"name": "Can view unblocklife thankyou", "content_type": 54, "codename": "view_unblocklifethankyou"}}, {"model": "auth.permission", "pk": 220, "fields": {"name": "Can add courses page", "content_type": 55, "codename": "add_coursespage"}}, {"model": "auth.permission", "pk": 221, "fields": {"name": "Can change courses page", "content_type": 55, "codename": "change_coursespage"}}, {"model": "auth.permission", "pk": 222, "fields": {"name": "Can delete courses page", "content_type": 55, "codename": "delete_coursespage"}}, {"model": "auth.permission", "pk": 223, "fields": {"name": "Can view courses page", "content_type": 55, "codename": "view_coursespage"}}, {"model": "auth.permission", "pk": 224, "fields": {"name": "Can add courses index page", "content_type": 56, "codename": "add_coursesindexpage"}}, {"model": "auth.permission", "pk": 225, "fields": {"name": "Can change courses index page", "content_type": 56, "codename": "change_coursesindexpage"}}, {"model": "auth.permission", "pk": 226, "fields": {"name": "Can delete courses index page", "content_type": 56, "codename": "delete_coursesindexpage"}}, {"model": "auth.permission", "pk": 227, "fields": {"name": "Can view courses index page", "content_type": 56, "codename": "view_coursesindexpage"}}, {"model": "auth.permission", "pk": 228, "fields": {"name": "Can add courses page tag", "content_type": 57, "codename": "add_coursespagetag"}}, {"model": "auth.permission", "pk": 229, "fields": {"name": "Can change courses page tag", "content_type": 57, "codename": "change_coursespagetag"}}, {"model": "auth.permission", "pk": 230, "fields": {"name": "Can delete courses page tag", "content_type": 57, "codename": "delete_coursespagetag"}}, {"model": "auth.permission", "pk": 231, "fields": {"name": "Can view courses page tag", "content_type": 57, "codename": "view_coursespagetag"}}, {"model": "auth.group", "pk": 1, "fields": {"name": "Moderators", "permissions": [101, 102, 103, 105, 104, 1, 2, 3]}}, {"model": "auth.group", "pk": 2, "fields": {"name": "Editors", "permissions": [101, 102, 103, 105, 104, 1, 2, 3]}}, {"model": "auth.user", "pk": 1, "fields": {"password": "pbkdf2_sha256$600000$GfuVDVybksjdIwXISMbnYF$S41IQOG0xHyOq6zT7FSHfx6eufz7zz5QP/jKmItLhu0=", "last_login": "2024-07-20T11:51:53.324Z", "is_superuser": true, "username": "info@unblocklife.in", "first_name": "", "last_name": "", "email": "info@unblocklife.in", "is_staff": true, "is_active": true, "date_joined": "2024-07-16T10:25:29.284Z", "groups": [], "user_permissions": []}}, {"model": "contenttypes.contenttype", "pk": 1, "fields": {"app_label": "wagtailcore", "model": "page"}}, {"model": "contenttypes.contenttype", "pk": 2, "fields": {"app_label": "wagtailimages", "model": "image"}}, {"model": "contenttypes.contenttype", "pk": 3, "fields": {"app_label": "wagtailcore", "model": "groupapprovaltask"}}, {"model": "contenttypes.contenttype", "pk": 4, "fields": {"app_label": "home", "model": "homepage"}}, {"model": "contenttypes.contenttype", "pk": 5, "fields": {"app_label": "wagtailcore", "model": "locale"}}, {"model": "contenttypes.contenttype", "pk": 6, "fields": {"app_label": "wagtailcore", "model": "site"}}, {"model": "contenttypes.contenttype", "pk": 7, "fields": {"app_label": "wagtailcore", "model": "modellogentry"}}, {"model": "contenttypes.contenttype", "pk": 8, "fields": {"app_label": "wagtailcore", "model": "collectionviewrestriction"}}, {"model": "contenttypes.contenttype", "pk": 9, "fields": {"app_label": "wagtailcore", "model": "collection"}}, {"model": "contenttypes.contenttype", "pk": 10, "fields": {"app_label": "wagtailcore", "model": "groupcollectionpermission"}}, {"model": "contenttypes.contenttype", "pk": 11, "fields": {"app_label": "wagtailcore", "model": "referenceindex"}}, {"model": "contenttypes.contenttype", "pk": 12, "fields": {"app_label": "wagtailcore", "model": "revision"}}, {"model": "contenttypes.contenttype", "pk": 13, "fields": {"app_label": "wagtailcore", "model": "grouppagepermission"}}, {"model": "contenttypes.contenttype", "pk": 14, "fields": {"app_label": "wagtailcore", "model": "pageviewrestriction"}}, {"model": "contenttypes.contenttype", "pk": 15, "fields": {"app_label": "wagtailcore", "model": "workflowpage"}}, {"model": "contenttypes.contenttype", "pk": 16, "fields": {"app_label": "wagtailcore", "model": "workflowcontenttype"}}, {"model": "contenttypes.contenttype", "pk": 17, "fields": {"app_label": "wagtailcore", "model": "workflowtask"}}, {"model": "contenttypes.contenttype", "pk": 18, "fields": {"app_label": "wagtailcore", "model": "task"}}, {"model": "contenttypes.contenttype", "pk": 19, "fields": {"app_label": "wagtailcore", "model": "workflow"}}, {"model": "contenttypes.contenttype", "pk": 20, "fields": {"app_label": "wagtailcore", "model": "workflowstate"}}, {"model": "contenttypes.contenttype", "pk": 21, "fields": {"app_label": "wagtailcore", "model": "taskstate"}}, {"model": "contenttypes.contenttype", "pk": 22, "fields": {"app_label": "wagtailcore", "model": "pagelogentry"}}, {"model": "contenttypes.contenttype", "pk": 23, "fields": {"app_label": "wagtailcore", "model": "comment"}}, {"model": "contenttypes.contenttype", "pk": 24, "fields": {"app_label": "wagtailcore", "model": "commentreply"}}, {"model": "contenttypes.contenttype", "pk": 25, "fields": {"app_label": "wagtailcore", "model": "pagesubscription"}}, {"model": "contenttypes.contenttype", "pk": 26, "fields": {"app_label": "wagtailadmin", "model": "admin"}}, {"model": "contenttypes.contenttype", "pk": 27, "fields": {"app_label": "wagtaildocs", "model": "document"}}, {"model": "contenttypes.contenttype", "pk": 28, "fields": {"app_label": "home", "model": "genericsettings"}}, {"model": "contenttypes.contenttype", "pk": 29, "fields": {"app_label": "home", "model": "standardpage"}}, {"model": "contenttypes.contenttype", "pk": 30, "fields": {"app_label": "home", "model": "sitesettings"}}, {"model": "contenttypes.contenttype", "pk": 31, "fields": {"app_label": "home", "model": "person"}}, {"model": "contenttypes.contenttype", "pk": 32, "fields": {"app_label": "home", "model": "gallerypage"}}, {"model": "contenttypes.contenttype", "pk": 33, "fields": {"app_label": "home", "model": "formpage"}}, {"model": "contenttypes.contenttype", "pk": 34, "fields": {"app_label": "home", "model": "formfield"}}, {"model": "contenttypes.contenttype", "pk": 35, "fields": {"app_label": "home", "model": "footertext"}}, {"model": "contenttypes.contenttype", "pk": 36, "fields": {"app_label": "wagtailforms", "model": "formsubmission"}}, {"model": "contenttypes.contenttype", "pk": 37, "fields": {"app_label": "wagtailredirects", "model": "redirect"}}, {"model": "contenttypes.contenttype", "pk": 38, "fields": {"app_label": "wagtailembeds", "model": "embed"}}, {"model": "contenttypes.contenttype", "pk": 39, "fields": {"app_label": "wagtailusers", "model": "userprofile"}}, {"model": "contenttypes.contenttype", "pk": 40, "fields": {"app_label": "wagtaildocs", "model": "uploadeddocument"}}, {"model": "contenttypes.contenttype", "pk": 41, "fields": {"app_label": "wagtailimages", "model": "rendition"}}, {"model": "contenttypes.contenttype", "pk": 42, "fields": {"app_label": "wagtailimages", "model": "uploadedimage"}}, {"model": "contenttypes.contenttype", "pk": 43, "fields": {"app_label": "wagtailsearch", "model": "indexentry"}}, {"model": "contenttypes.contenttype", "pk": 44, "fields": {"app_label": "wagtailsearch", "model": "sqliteftsindexentry"}}, {"model": "contenttypes.contenttype", "pk": 45, "fields": {"app_label": "taggit", "model": "tag"}}, {"model": "contenttypes.contenttype", "pk": 46, "fields": {"app_label": "taggit", "model": "taggeditem"}}, {"model": "contenttypes.contenttype", "pk": 47, "fields": {"app_label": "admin", "model": "logentry"}}, {"model": "contenttypes.contenttype", "pk": 48, "fields": {"app_label": "auth", "model": "permission"}}, {"model": "contenttypes.contenttype", "pk": 49, "fields": {"app_label": "auth", "model": "group"}}, {"model": "contenttypes.contenttype", "pk": 50, "fields": {"app_label": "auth", "model": "user"}}, {"model": "contenttypes.contenttype", "pk": 51, "fields": {"app_label": "contenttypes", "model": "contenttype"}}, {"model": "contenttypes.contenttype", "pk": 52, "fields": {"app_label": "sessions", "model": "session"}}, {"model": "contenttypes.contenttype", "pk": 53, "fields": {"app_label": "home", "model": "unblocklifelogo"}}, {"model": "contenttypes.contenttype", "pk": 54, "fields": {"app_label": "home", "model": "unblocklifethankyou"}}, {"model": "contenttypes.contenttype", "pk": 55, "fields": {"app_label": "courses", "model": "coursespage"}}, {"model": "contenttypes.contenttype", "pk": 56, "fields": {"app_label": "courses", "model": "coursesindexpage"}}, {"model": "contenttypes.contenttype", "pk": 57, "fields": {"app_label": "courses", "model": "coursespagetag"}}, {"model": "sessions.session", "pk": "3f203b3ibzp803plrlibx0st1r8hs7ak", "fields": {"session_data": ".eJxVjMsOwiAURP-FtSFAL68u3fsNBC5oUQMG2kRj_HfbpAvdTWbOnDdxfpknt_TUXI5kJJwcfrvg8ZbKNsSrL5dKsZa55UA3hO5rp6ca0_24s3-CyfdpfQfBGCiU3ASAAa2WQvMhcaUCAysMGhE0OwuJyprIvVyTlzAwBASrxSbtqfdci0vPR24vMrLPFy2RPYU:1sTfNQ:kXNoyX0gvumBnH0vor94CJiSxA6_IPzz-qxlPZdVlwo", "expire_date": "2024-07-30T10:25:44.840Z"}}, {"model": "sessions.session", "pk": "6jlluf3pr9s7i0k2edgh4mfo7i77k587", "fields": {"session_data": ".eJxVjMsOwiAURP-FtSFAL68u3fsNBC5oUQMG2kRj_HfbpAvdTWbOnDdxfpknt_TUXI5kJJwcfrvg8ZbKNsSrL5dKsZa55UA3hO5rp6ca0_24s3-CyfdpfQfBGCiU3ASAAa2WQvMhcaUCAysMGhE0OwuJyprIvVyTlzAwBASrxSbtqfdci0vPR24vMrLPFy2RPYU:1sV8cz:_fLo1e7yxGKFOY8f9g2sSjR7T7ox9w5e2V5zu8E4YsU", "expire_date": "2024-08-03T11:51:53.325Z"}}, {"model": "sessions.session", "pk": "gh3fgyliev4q7cq2jgsgyarezbtjrwm9", "fields": {"session_data": ".eJxVjMsOwiAURP-FtSFAL68u3fsNBC5oUQMG2kRj_HfbpAvdTWbOnDdxfpknt_TUXI5kJJwcfrvg8ZbKNsSrL5dKsZa55UA3hO5rp6ca0_24s3-CyfdpfQfBGCiU3ASAAa2WQvMhcaUCAysMGhE0OwuJyprIvVyTlzAwBASrxSbtqfdci0vPR24vMrLPFy2RPYU:1sV71P:eLH8c6Dm28lKmfkG3zDJF-t_BudJgPat1g-9Jqefs0I", "expire_date": "2024-08-03T10:08:59.674Z"}}, {"model": "sessions.session", "pk": "ulr1aqrr8c2afv40txy67w8vfp2jer7j", "fields": {"session_data": ".eJxVjMsOwiAURP-FtSFAL68u3fsNBC5oUQMG2kRj_HfbpAvdTWbOnDdxfpknt_TUXI5kJJwcfrvg8ZbKNsSrL5dKsZa55UA3hO5rp6ca0_24s3-CyfdpfQfBGCiU3ASAAa2WQvMhcaUCAysMGhE0OwuJyprIvVyTlzAwBASrxSbtqfdci0vPR24vMrLPFy2RPYU:1sUNDT:yYCBQyJbgRDRQfEs_gBPgcclUMPos75ZV7e8lJ98im8", "expire_date": "2024-08-01T09:14:23.445Z"}}] \ No newline at end of file diff --git a/home/__init__.py b/home/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/home/blocks.py b/home/blocks.py new file mode 100644 index 0000000..a2f3513 --- /dev/null +++ b/home/blocks.py @@ -0,0 +1,107 @@ +from wagtail.blocks import ( + CharBlock, + ChoiceBlock, + RichTextBlock, + StreamBlock, + StructBlock, + TextBlock, +) +from wagtail.embeds.blocks import EmbedBlock +from wagtail.images.blocks import ImageChooserBlock + + +class ImageBlock(StructBlock): + """ + Custom `StructBlock` for utilizing images with associated caption and + attribution data + """ + + image = ImageChooserBlock(required=True) + caption = CharBlock(required=False) + attribution = CharBlock(required=False) + + class Meta: + icon = "image" + template = "blocks/image_block.html" + + +class HeadingBlock(StructBlock): + """ + Custom `StructBlock` that allows the user to select h2 - h4 sizes for headers + """ + + heading_text = CharBlock(classname="title", required=True) + size = ChoiceBlock( + choices=[ + ("", "Select a header size"), + ("h2", "H2"), + ("h3", "H3"), + ("h4", "H4"), + ], + blank=True, + required=False, + ) + + class Meta: + icon = "title" + template = "blocks/heading_block.html" + + +class BlockQuote(StructBlock): + """ + Custom `StructBlock` that allows the user to attribute a quote to the author + """ + + text = TextBlock() + attribute_name = CharBlock(blank=True, required=False, label="e.g. Mary Berry") + + class Meta: + icon = "openquote" + template = "blocks/blockquote.html" + + +# StreamBlocks +class BaseStreamBlock(StreamBlock): + """ + Define the custom blocks that `StreamField` will utilize + """ + + heading_block = HeadingBlock() + paragraph_block = RichTextBlock( + icon="pilcrow", template="blocks/paragraph_block.html" + ) + image_block = ImageBlock() + block_quote = BlockQuote() + embed_block = EmbedBlock( + help_text="Insert an embed URL e.g https://www.youtube.com/watch?v=SGJFWirQ3ks", + icon="media", + template="blocks/embed_block.html", + ) + + +class ProfileBlock(StructBlock): + """ + Custom `StructBlock` for utilizing images with associated caption and + attribution data + """ + + image = ImageChooserBlock(required=True) + firstname = CharBlock(required=True) + lastname = CharBlock(required=False) + title = CharBlock(required=False) + linkedin = CharBlock(required=False) + short_profile = CharBlock(required=False) + + class Meta: + icon = "image" + template = "blocks/profile_image_block.html" + + + + +# Instructore - used for training/courses pages +class TrainerBlock(StreamBlock): + profile = ProfileBlock() + + + diff --git a/home/models.py b/home/models.py new file mode 100644 index 0000000..2fdf2ef --- /dev/null +++ b/home/models.py @@ -0,0 +1,554 @@ +from __future__ import unicode_literals + +from django.contrib.contenttypes.fields import GenericRelation +from django.db import models +from django.utils.translation import gettext as _ +from modelcluster.fields import ParentalKey +from modelcluster.models import ClusterableModel +from wagtail.admin.panels import ( + FieldPanel, + FieldRowPanel, + InlinePanel, + MultiFieldPanel, + PublishingPanel, +) +from wagtail.contrib.forms.models import AbstractEmailForm, AbstractFormField +from wagtail.contrib.settings.models import ( + BaseGenericSetting, + BaseSiteSetting, + register_setting, +) +from wagtail.fields import RichTextField, StreamField +from wagtail.models import ( + Collection, + DraftStateMixin, + LockableMixin, + Page, + PreviewableMixin, + RevisionMixin, + TranslatableMixin, + WorkflowMixin, +) +from wagtail.search import index +from .blocks import BaseStreamBlock +from wagtail.snippets.models import register_snippet + + +class Person( + WorkflowMixin, + DraftStateMixin, + LockableMixin, + RevisionMixin, + PreviewableMixin, + index.Indexed, + ClusterableModel, +): + """ + A Django model to store Person objects. + It is registered using `register_snippet` as a function in wagtail_hooks.py + to allow it to have a menu item within a custom menu item group. + + `Person` uses the `ClusterableModel`, which allows the relationship with + another model to be stored locally to the 'parent' model (e.g. a PageModel) + until the parent is explicitly saved. This allows the editor to use the + 'Preview' button, to preview the content, without saving the relationships + to the database. + https://github.com/wagtail/django-modelcluster + """ + + first_name = models.CharField("First name", max_length=254) + last_name = models.CharField("Last name", max_length=254) + job_title = models.CharField("Job title", max_length=254) + + image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + ) + + workflow_states = GenericRelation( + "wagtailcore.WorkflowState", + content_type_field="base_content_type", + object_id_field="object_id", + related_query_name="person", + for_concrete_model=False, + ) + + revisions = GenericRelation( + "wagtailcore.Revision", + content_type_field="base_content_type", + object_id_field="object_id", + related_query_name="person", + for_concrete_model=False, + ) + + panels = [ + MultiFieldPanel( + [ + FieldRowPanel( + [ + FieldPanel("first_name"), + FieldPanel("last_name"), + ] + ) + ], + "Name", + ), + FieldPanel("job_title"), + FieldPanel("image"), + PublishingPanel(), + ] + + search_fields = [ + index.SearchField("first_name"), + index.SearchField("last_name"), + index.FilterField("job_title"), + index.AutocompleteField("first_name"), + index.AutocompleteField("last_name"), + ] + + @property + def thumb_image(self): + # Returns an empty string if there is no profile pic or the rendition + # file can't be found. + try: + return self.image.get_rendition("fill-50x50").img_tag() + except: # noqa: E722 FIXME: remove bare 'except:' + return "" + + @property + def preview_modes(self): + return PreviewableMixin.DEFAULT_PREVIEW_MODES + [("blog_post", _("Blog post"))] + + def __str__(self): + return "{} {}".format(self.first_name, self.last_name) + + def get_preview_template(self, request, mode_name): + from bakerydemo.blog.models import BlogPage + + if mode_name == "blog_post": + return BlogPage.template + return "base/preview/person.html" + + def get_preview_context(self, request, mode_name): + from bakerydemo.blog.models import BlogPage + + context = super().get_preview_context(request, mode_name) + if mode_name == self.default_preview_mode: + return context + + page = BlogPage.objects.filter(blog_person_relationship__person=self).first() + if page: + # Use the page authored by this person if available, + # and replace the instance from the database with the edited instance + page.authors = [ + self if author.pk == self.pk else author for author in page.authors() + ] + # The authors() method only shows live authors, so make sure the instance + # is included even if it's not live as this is just a preview + if not self.live: + page.authors.append(self) + else: + # Otherwise, get the first page and simulate the person as the author + page = BlogPage.objects.first() + page.authors = [self] + + context["page"] = page + return context + + class Meta: + verbose_name = "Person" + verbose_name_plural = "People" + + +class FooterText( + DraftStateMixin, + RevisionMixin, + PreviewableMixin, + TranslatableMixin, + models.Model, +): + """ + This provides editable text for the site footer. Again it is registered + using `register_snippet` as a function in wagtail_hooks.py to be grouped + together with the Person model inside the same main menu item. It is made + accessible on the template via a template tag defined in base/templatetags/ + navigation_tags.py + """ + + body = RichTextField() + + revisions = GenericRelation( + "wagtailcore.Revision", + content_type_field="base_content_type", + object_id_field="object_id", + related_query_name="footer_text", + for_concrete_model=False, + ) + + panels = [ + FieldPanel("body"), + PublishingPanel(), + ] + + def __str__(self): + return "Footer text" + + def get_preview_template(self, request, mode_name): + return "base.html" + + def get_preview_context(self, request, mode_name): + return {"footer_text": self.body} + + class Meta(TranslatableMixin.Meta): + verbose_name_plural = "Footer Text" + + +class StandardPage(Page): + """ + A generic content page. On this demo site we use it for an about page but + it could be used for any type of page content that only needs a title, + image, introduction and body field + """ + + introduction = models.TextField(help_text="Text to describe the page", blank=True) + image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Landscape mode only; horizontal width between 1000px and 3000px.", + ) + body = StreamField( + BaseStreamBlock(), verbose_name="Page body", blank=True, use_json_field=True + ) + content_panels = Page.content_panels + [ + FieldPanel("introduction"), + FieldPanel("body"), + FieldPanel("image"), + ] + + +class HomePage(Page): + """ + The Home Page. This looks slightly more complicated than it is. You can + see if you visit your site and edit the homepage that it is split between + a: + - Hero area + - Body area + - A promotional area + - Moveable featured site sections + """ + + # Hero section of HomePage + image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Homepage image", + ) + hero_text = models.CharField( + max_length=255, help_text="Write an introduction for the bakery", + default="We help craft the finance needs" + ) + hero_cta = models.CharField( + verbose_name="Hero CTA", + max_length=255, + help_text="Text to display on Call to Action", + null=True, + blank=True + ) + hero_cta_link = models.ForeignKey( + "wagtailcore.Page", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + verbose_name="Hero CTA link", + help_text="Choose a page to link to for the Call to Action", + ) + + # Body section of the HomePage + body = StreamField( + BaseStreamBlock(), + verbose_name="Home content block", + blank=True, + use_json_field=True, + ) + + # Promo section of the HomePage + promo_image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Promo image", + ) + promo_title = models.CharField( + blank=True, max_length=255, help_text="Title to display above the promo copy" + ) + promo_text = RichTextField( + null=True, blank=True, max_length=1000, help_text="Write some promotional copy" + ) + + # Featured sections on the HomePage + # You will see on templates/base/home_page.html that these are treated + # in different ways, and displayed in different areas of the page. + # Each list their children items that we access via the children function + # that we define on the individual Page models e.g. BlogIndexPage + featured_section_1_title = models.CharField( + blank=True, max_length=255, help_text="Title to display above the promo copy" + ) + featured_section_1 = models.ForeignKey( + "wagtailcore.Page", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="First featured section for the homepage. Will display up to " + "three child items.", + verbose_name="Featured section 1", + ) + + featured_section_2_title = models.CharField( + blank=True, max_length=255, help_text="Title to display above the promo copy" + ) + featured_section_2 = models.ForeignKey( + "wagtailcore.Page", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Second featured section for the homepage. Will display up to " + "three child items.", + verbose_name="Featured section 2", + ) + + featured_section_3_title = models.CharField( + blank=True, max_length=255, help_text="Title to display above the promo copy" + ) + featured_section_3 = models.ForeignKey( + "wagtailcore.Page", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Third featured section for the homepage. Will display up to " + "six child items.", + verbose_name="Featured section 3", + ) + + content_panels = Page.content_panels + [ + MultiFieldPanel( + [ + FieldPanel("image"), + FieldPanel("hero_text"), + MultiFieldPanel( + [ + FieldPanel("hero_cta"), + FieldPanel("hero_cta_link"), + ] + ), + ], + heading="Hero section", + ), + MultiFieldPanel( + [ + FieldPanel("promo_image"), + FieldPanel("promo_title"), + FieldPanel("promo_text"), + ], + heading="Promo section", + ), + FieldPanel("body"), + MultiFieldPanel( + [ + MultiFieldPanel( + [ + FieldPanel("featured_section_1_title"), + FieldPanel("featured_section_1"), + ] + ), + MultiFieldPanel( + [ + FieldPanel("featured_section_2_title"), + FieldPanel("featured_section_2"), + ] + ), + MultiFieldPanel( + [ + FieldPanel("featured_section_3_title"), + FieldPanel("featured_section_3"), + ] + ), + ], + heading="Featured homepage sections", + ), + ] + + def __str__(self): + return self.title + + +class GalleryPage(Page): + """ + This is a page to list locations from the selected Collection. We use a Q + object to list any Collection created (/admin/collections/) even if they + contain no items. In this demo we use it for a GalleryPage, + and is intended to show the extensibility of this aspect of Wagtail + """ + + introduction = models.TextField(help_text="Text to describe the page", blank=True) + image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + help_text="Landscape mode only; horizontal width between 1000px and " "3000px.", + ) + body = StreamField( + BaseStreamBlock(), verbose_name="Page body", blank=True, use_json_field=True + ) + collection = models.ForeignKey( + Collection, + limit_choices_to=~models.Q(name__in=["Root"]), + null=True, + blank=True, + on_delete=models.SET_NULL, + help_text="Select the image collection for this gallery.", + ) + + content_panels = Page.content_panels + [ + FieldPanel("introduction"), + FieldPanel("body"), + FieldPanel("image"), + FieldPanel("collection"), + ] + + # Defining what content type can sit under the parent. Since it's a blank + # array no subpage can be added + subpage_types = [] + + +class FormField(AbstractFormField): + """ + Wagtailforms is a module to introduce simple forms on a Wagtail site. It + isn't intended as a replacement to Django's form support but as a quick way + to generate a general purpose data-collection form or contact form + without having to write code. We use it on the site for a contact form. You + can read more about Wagtail forms at: + https://docs.wagtail.org/en/stable/reference/contrib/forms/index.html + """ + + page = ParentalKey("FormPage", related_name="form_fields", on_delete=models.CASCADE) + + +class FormPage(AbstractEmailForm): + image = models.ForeignKey( + "wagtailimages.Image", + null=True, + blank=True, + on_delete=models.SET_NULL, + related_name="+", + ) + body = StreamField(BaseStreamBlock(), use_json_field=True) + thank_you_text = RichTextField(blank=True) + + # Note how we include the FormField object via an InlinePanel using the + # related_name value + content_panels = AbstractEmailForm.content_panels + [ + FieldPanel("image"), + FieldPanel("body"), + InlinePanel("form_fields", heading="Form fields", label="Field"), + FieldPanel("thank_you_text"), + MultiFieldPanel( + [ + FieldRowPanel( + [ + FieldPanel("from_address"), + FieldPanel("to_address"), + ] + ), + FieldPanel("subject"), + ], + "Email", + ), + ] + + +@register_setting +class GenericSettings(ClusterableModel, BaseGenericSetting): + twitter_url = models.URLField(verbose_name="Twitter URL", blank=True) + github_url = models.URLField(verbose_name="GitHub URL", blank=True) + organisation_url = models.URLField(verbose_name="Organisation URL", blank=True) + + panels = [ + MultiFieldPanel( + [ + FieldPanel("github_url"), + FieldPanel("twitter_url"), + FieldPanel("organisation_url"), + ], + "Social settings", + ) + ] + + +@register_setting +class SiteSettings(BaseSiteSetting): + title_suffix = models.CharField( + verbose_name="Title suffix", + max_length=255, + help_text="The suffix for the title meta tag e.g. ' | The Wagtail Bakery'", + default="Unblock Personality", + ) + + panels = [ + FieldPanel("title_suffix"), + ] + + +@register_snippet +class UnblocklifeLogo(models.Model): + name = models.CharField(max_length=255) + logo = models.ForeignKey( + 'wagtailimages.Image', + null=True, + blank=True, + on_delete=models.SET_NULL, + ) + + def __str__(self): + return '{}'.format(self.name) + + panels =[ + FieldPanel('name'), + FieldPanel('logo'), + ] + +@register_snippet +class UnblocklifeThankyou(models.Model): + name = models.CharField(max_length=255) + thanks = models.ForeignKey( + 'wagtailimages.Image', + null=True, + blank=True, + on_delete=models.SET_NULL, + ) + + def __str__(self): + return '{}'.format(self.name) + + panels =[ + FieldPanel('name'), + FieldPanel('thanks'), + ] + + diff --git a/home/static/css/welcome_page.css b/home/static/css/welcome_page.css new file mode 100644 index 0000000..bad2933 --- /dev/null +++ b/home/static/css/welcome_page.css @@ -0,0 +1,184 @@ +html { + box-sizing: border-box; +} + +*, +*:before, +*:after { + box-sizing: inherit; +} + +body { + max-width: 960px; + min-height: 100vh; + margin: 0 auto; + padding: 0 15px; + color: #231f20; + font-family: 'Helvetica Neue', 'Segoe UI', Arial, sans-serif; + line-height: 1.25; +} + +a { + background-color: transparent; + color: #308282; + text-decoration: underline; +} + +a:hover { + color: #ea1b10; +} + +h1, +h2, +h3, +h4, +h5, +p, +ul { + padding: 0; + margin: 0; + font-weight: 400; +} + +svg:not(:root) { + overflow: hidden; +} + +.header { + display: flex; + justify-content: space-between; + align-items: center; + padding-top: 20px; + padding-bottom: 10px; + border-bottom: 1px solid #e6e6e6; +} + +.logo { + width: 150px; + margin-inline-end: 20px; +} + +.logo a { + display: block; +} + +.figure-logo { + max-width: 150px; + max-height: 55.1px; +} + +.release-notes { + font-size: 14px; +} + +.main { + padding: 40px 0; + margin: 0 auto; + text-align: center; +} + +.figure-space { + max-width: 265px; +} + +@keyframes pos { + 0%, 100% { + transform: rotate(-6deg); + } + 50% { + transform: rotate(6deg); + } +} + +.egg { + fill: #43b1b0; + animation: pos 3s ease infinite; + transform: translateY(50px); + transform-origin: 50% 80%; +} + +.main-text { + max-width: 400px; + margin: 5px auto; +} + +.main-text h1 { + font-size: 22px; +} + +.main-text p { + margin: 15px auto 0; +} + +.footer { + display: flex; + flex-wrap: wrap; + justify-content: space-between; + border-top: 1px solid #e6e6e6; + padding: 10px; +} + +.option { + display: block; + padding: 10px 10px 10px 34px; + position: relative; + text-decoration: none; +} + +.option svg { + width: 24px; + height: 24px; + fill: gray; + border: 1px solid #d9d9d9; + padding: 5px; + border-radius: 100%; + top: 10px; + inset-inline-start: 0; + position: absolute; +} + +.option h2 { + font-size: 19px; + text-decoration: underline; +} + +.option p { + padding-top: 3px; + color: #231f20; + font-size: 15px; + font-weight: 300; +} + +@media (max-width: 996px) { + body { + max-width: 780px; + } +} + +@media (max-width: 767px) { + .option { + flex: 0 0 50%; + } +} + +@media (max-width: 599px) { + .main { + padding: 20px 0; + } + + .figure-space { + max-width: 200px; + } + + .footer { + display: block; + width: 300px; + margin: 0 auto; + } +} + +@media (max-width: 360px) { + .header-link { + max-width: 100px; + } +} diff --git a/home/static/images/hero-area.svg b/home/static/images/hero-area.svg new file mode 100644 index 0000000..9aae9c2 --- /dev/null +++ b/home/static/images/hero-area.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/home/static/images/intro-mobile-1.png b/home/static/images/intro-mobile-1.png new file mode 100644 index 0000000..6715ac4 Binary files /dev/null and b/home/static/images/intro-mobile-1.png differ diff --git a/home/templates/home/form_page.html b/home/templates/home/form_page.html new file mode 100644 index 0000000..322acd6 --- /dev/null +++ b/home/templates/home/form_page.html @@ -0,0 +1,561 @@ + +{% extends "base.html" %} +{% load wagtailcore_tags static %} + +{% block content %} + ++ {{ page.subtitle }} +
++{{ page.hero_text }} +
++Our risk management training is delivered by senior business line practitioners who have managed regulatory engagements, and regulatory enforcement at the highest levels. +
++Our training on financial analysis, corporate and financial institution modelling and valuation varies according to what the participants need to achieve: +
++Our training on cash and derivative financial markets instruments is adapted to the audience depending on whether they need a conceptual understanding +
++We have collaboration with experienced Stock Market traders on regular basis. We arrange the talks & interactice sessions for our students with those traders. +
++The Finance market totally depends on current affairs and news. We do provide regular tips to our audiance on subscription basis. The people are allowed to subscribe any time of the year. +
++We do arrange monthly meetings with out regular customers. The meeting helps discuss about current market events and consequences of those events. +
++ + {% if page.promo_text %} + {{ page.promo_text|richtext }} + {% endif %} +
+ + + +Check the Courses + ++ {{ page.introduction }} +
+ {% endif %} +