diff --git a/.github/workflows/pull-translations.yaml b/.github/workflows/pull-translations.yaml deleted file mode 100644 index 698551595..000000000 --- a/.github/workflows/pull-translations.yaml +++ /dev/null @@ -1,52 +0,0 @@ -name: Pull Translations -on: - workflow_dispatch: - schedule: - - cron: '0 0 * * 1' # On Mondays - -env: - TUTOR_ROOT: ./.ci/ - -jobs: - compile_translations: - runs-on: ubuntu-latest - steps: - - name: Checkout - uses: actions/checkout@v4 - - name: setup python - uses: actions/setup-python@v5 - with: - python-version: 3.12 - - name: Install aspects - run: pip install . - - name: Install requirements - run: make requirements - - name: Mark for translation - run: make pull_translations - - name: Get current date - id: date - run: echo "date=$(date +'%Y-%m-%d')" >> $GITHUB_OUTPUT - - name: Push branch - run: | - branch_name="bot/translations/${{ steps.date.outputs.date }}" - git fetch --prune origin - if git show-ref --quiet refs/remotes/origin/$branch_name; then - git push --delete origin $branch_name - fi - git checkout -b $branch_name || git checkout $branch_name - git push origin $branch_name - - name: Create Pull Request - uses: peter-evans/create-pull-request@v6 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - title: "chore(i18n): updating translations" - commit-message: "chore(i18n): updating translations on ${{ steps.date.outputs.date }}" - branch: "bot/translations/${{ steps.date.outputs.date }}" - add-paths: | - tutoraspects/ - base: main - body: | - Automated update of translations for assets on ${{ steps.date.outputs.date }}. - - This pull request was automatically generated. diff --git a/Makefile b/Makefile index a58b04cb3..9a771a24f 100644 --- a/Makefile +++ b/Makefile @@ -85,12 +85,6 @@ release-push: git push origin $(TAG) ###### Additional commands -pull_translations: translation-requirements - atlas pull -g $(OPENEDX_ATLAS_ARGS) translations/tutor-contrib-aspects/tutoraspects/*:tutoraspects/templates/ - - @echo "Translations have been pulled via Atlas." - python tutoraspects/translations/translate.py . compile - extract_translations: translation-requirements python tutoraspects/translations/translate.py . extract diff --git a/tutoraspects/templates/aspects/build/aspects-superset/Dockerfile b/tutoraspects/templates/aspects/build/aspects-superset/Dockerfile index b2135e4f2..1ebc30fdd 100644 --- a/tutoraspects/templates/aspects/build/aspects-superset/Dockerfile +++ b/tutoraspects/templates/aspects/build/aspects-superset/Dockerfile @@ -8,6 +8,8 @@ FROM apache/superset:4.0.1 USER root COPY ./requirements.txt /app/requirements.txt +COPY ./localization/compile_translations.py /app/localization/compile_translations.py +COPY ./localization/datasets_strings.yaml /app/localization/datasets_strings.yaml RUN pip install -r /app/requirements.txt @@ -18,6 +20,7 @@ ARG FIREFOX_VERSION=117.0.1 RUN apt-get update -q \ && apt-get install -yq --no-install-recommends \ + git \ libnss3 \ libdbus-glib-1-2 \ libgtk-3-0 \ @@ -33,6 +36,11 @@ RUN apt-get update -q \ && apt-get autoremove -yqq --purge wget && rm -rf /var/lib/apt/lists/* /var/[log,tmp]/* /tmp/* && apt-get clean COPY ./openedx-assets /app/openedx-assets -COPY ./localization/ /app/localization/ + +# Pull latest aspects translations from openedx-tranlsations repository +RUN atlas pull translations/tutor-contrib-aspects/tutoraspects/templates/aspects/apps/superset/conf/locale:/app/localization/ + +# combine the /app/localization/ files into a single `localization/locale.yaml` file in a way Aspects can use +RUN python /app/localization/compile_translations.py USER superset diff --git a/tutoraspects/templates/aspects/build/aspects-superset/localization/compile_translations.py b/tutoraspects/templates/aspects/build/aspects-superset/localization/compile_translations.py new file mode 100644 index 000000000..16d027c6a --- /dev/null +++ b/tutoraspects/templates/aspects/build/aspects-superset/localization/compile_translations.py @@ -0,0 +1,71 @@ +import os +import glob +import shutil + +import ruamel.yaml +import ruamel.yaml.comments + +yaml = ruamel.yaml.YAML() + + +def recursive_sort_mappings(s): + """Given a ruamel yaml object, recursively sort all mappings in order.""" + if isinstance(s, list): + for elem in s: + recursive_sort_mappings(elem) + return + if not isinstance(s, dict): + return + for key in sorted(s, reverse=True): + value = s.pop(key) + recursive_sort_mappings(value) + s.insert(0, key, value) + +def compile_translations(): + """ + Combine translated files into the single file we use for translation. + + This should be called after we pull translations using Atlas, see the + pull_translations make target. + """ + translations_path = "/app/localization/" + + all_translations = ruamel.yaml.comments.CommentedMap() + yaml_files = glob.glob(os.path.join(translations_path, "**/locale.yaml")) + + for file_path in yaml_files: + lang = file_path.split(os.sep)[-2] + with open(file_path, "r", encoding="utf-8") as asset_file: + loc_str = asset_file.read() + loaded_strings = yaml.load(loc_str) + + # Sometimes translated files come back with "en" as the top level + # key, but still translated correctly. + try: + all_translations[lang] = loaded_strings[lang] + except KeyError: + all_translations[lang] = loaded_strings["en"] + + if None in all_translations[lang]: + all_translations[lang].pop(None) + + out_path = "/app/localization/locale.yaml" + + print(f"Writing all translations out to {out_path}") + with open(out_path, "w", encoding="utf-8") as outfile: + outfile.write("---\n") + # If we don't use an extremely large width, the jinja in our translations + # can be broken by newlines. So we use the largest number there is. + recursive_sort_mappings(all_translations) + yaml.dump(all_translations, outfile) + outfile.write("\n{{ patch('superset-extra-asset-translations')}}\n") + + # We remove these files to avoid confusion about where translations are coming + # from, and because otherwise we will need to re-save them with the large + # width as above to avoid Jinja parsing errors. + print("Removing downloaded translations files... ") + # shutil.rmtree(translations_path) + + +if __name__ == "__main__": + compile_translations() diff --git a/tutoraspects/templates/aspects/build/aspects-superset/localization/locale.yaml b/tutoraspects/templates/aspects/build/aspects-superset/localization/locale.yaml deleted file mode 100644 index 45399c73e..000000000 --- a/tutoraspects/templates/aspects/build/aspects-superset/localization/locale.yaml +++ /dev/null @@ -1,7301 +0,0 @@ ---- -ar: - '': '' -
Filter these results by selecting various options from the filters panel.
:
قم بتصفية هذه النتائج عن طريق تحديد خيارات - متنوعة من لوحة المرشحات.
-
Select a course from the Filters panel to populate these charts.
:
حدد دورة تدريبية من لوحة المرشحات لملء - هذه المخططات.
-
Select a problem from the Filters panel to populate the charts.
:
حدد مشكلة من لوحة المرشحات لملء المخططات.
-
Select a video from the Filters panel to populate these charts.
:
حدد مقطع فيديو من لوحة المرشحات لملء هذه - المخططات.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : حساب عدد المسجلين وغير المسجلين في اليوم الواحد. يمكن للمتعلمين التسجيل وإلغاء - التسجيل عدة مرات، وفي هذا المخطط سيتم حساب كل تسجيل وإلغاء تسجيل فردي. - Action: الإجراء - Action Cluster: مجموعة العمل - Action Count: عدد الإجراءات - Action Date: تاريخ الإجراء - Active: فعّال - Active Users Over Time v2: المستخدمون النشطون مع مرور الوقت v2 - Active Users Per Organization: المستخدمون النشطون لكل مؤسسة - Actor ID: معرف الممثل - Actor IDs over time: معرفات الممثل مع مرور الوقت - Actor Id: معرف الممثل - Answers Chosen: الإجابات المختارة - Attempts: عدد المحاولات - Bio: السيرة الذاتية - COUNT(*): عدد(*) - CSS: CSS - Cache Timeout: مهلة ذاكرة التخزين المؤقت - Certification Details: تفاصيل الشهادة - Certified By: مصدقة من قبل - Changed By Fk: تم التغيير بواسطة Fk - Changed On: تم التغيير - Chart Count: عدد المخططات - Chart showing the number of Superset actions taken by each user over the selected time period.: مخطط - يوضح عدد إجراءات Superset التي اتخذها كل مستخدم خلال الفترة الزمنية المحددة. - Chart showing the number of Superset actions taken on each chart in the selected time period.: مخطط - يوضح عدد إجراءات Superset المتخذة على كل مخطط في الفترة الزمنية المحددة. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: مخطط - يوضح عدد إجراءات Superset المتخذة على كل لوحة معلومات في الفترة الزمنية المحددة. - Chart showing the number of registered users over the selected time period.: مخطط - يوضح عدد المستخدمين المسجلين خلال الفترة الزمنية المحددة. - Charts by Type: الرسوم البيانية حسب النوع - City: المدينة - ClickHouse: انقر البيت - ClickHouse metrics: مقاييس ClickHouse - Count of charts created in Superset over the selected time period.: عدد المخططات - التي تم إنشاؤها في Superset خلال الفترة الزمنية المحددة. - Count of dashboards created in Superset over the selected time period.: عدد لوحات - المعلومات التي تم إنشاؤها في Superset خلال الفترة الزمنية المحددة. - Count of the various types of charts created in Superset over the selected time period.: عدد - الأنواع المختلفة من المخططات التي تم إنشاؤها في Superset خلال الفترة الزمنية المحددة. - Count of unique users who performed an action in Superset over the selected time period.: عدد - المستخدمين الفريدين الذين قاموا بإجراء ما في Superset خلال الفترة الزمنية المحددة. - Count over time of unique users who performed an action in Superset over the selected time period.: الإحصاء - بمرور الوقت للمستخدمين الفريدين الذين نفذوا إجراءً في Superset خلال الفترة الزمنية - المحددة. - Country: البلد - Course Data JSON: بيانات الدورة JSON - Course End: تاريخ انتهاء المساق - Course Enrollment: التسجيل في الدورة - Course Enrollments Over Time: التسجيل في الدورة مع مرور الوقت - Course Grade (out of 100%): درجة المقرر (من 100%) - Course Grade Distribution: توزيع درجات الدورة - Course ID: 'رقم تعريف المساق ' - Course Key: مفتاح المساق - Course Key Short: مفتاح الدورة قصير - Course Name: اسم المساق - Course Run: تشغيل المساق - Course Start: تاريخ ابتداء المساق - Course name: اسم المقرر - Course run: تشغيل الدورة - Courses: المساقات - Courses Per Organization: الدورات لكل منظمة - Courseware: محتويات المساق - Created: تمّ الإنشاء - Created By Fk: تم إنشاؤها بواسطة Fk - Created On: تم إنشاؤها على - Currently Enrolled Learners Per Day: المتعلمون المسجلون حاليًا لكل يوم - Dashboard Count: عدد لوحة القيادة - Dashboard ID: معرف لوحة القيادة - Dashboard Status: حالة لوحة القيادة - Dashboard Title: عنوان لوحة القيادة - Datasource ID: معرف مصدر البيانات - Datasource Name: اسم مصدر البيانات - Datasource Type: نوع مصدر البيانات - Description: الوصف - Display Name: اسم العرض - Distinct forum users: مستخدمي المنتدى المميزين - Distribution Of Attempts: توزيع المحاولات - Distribution Of Hints Per Correct Answer: توزيع التلميحات لكل إجابة صحيحة - Distribution Of Problem Grades: توزيع درجات المشكلة - Distribution Of Responses: توزيع الردود - Dump ID: معرف التفريغ - Duration (Seconds): المدة (ثواني) - Edited On: تم التعديل عليه - Email: البريد الإلكتروني - Emission Time: وقت الانبعاث - Enrollment End: نهاية التسجيل - Enrollment Events Per Day: أحداث التسجيل في اليوم الواحد - Enrollment Mode: وضع التسجيل - Enrollment Start: بدء التسجيل - Enrollment Status: حالة التسجيل - Enrollment Status Date: تاريخ حالة التسجيل - Enrollments: 'عمليات التسجيل ' - Enrollments By Enrollment Mode: التسجيلات عن طريق وضع التسجيل - Enrollments By Type: التسجيلات حسب النوع - Entity Name: اسم الكيان - Event ID: معرف الحدث - Event String: سلسلة الحدث - Event Time: وقت الحدث - Event type: نوع الحدث - Events per course: الأحداث لكل دورة - External ID Type: نوع المعرف الخارجي - External Url: عنوان URL الخارجي - External User ID: معرف المستخدم الخارجي - Fail Login Count: فشل عدد تسجيل الدخول - First Name: الاسم الأول - Forum Interaction: تفاعل المنتدى - Gender: الجنس - Goals: الأهداف - Grade Bucket: دلو الصف - Grade Type: نوع الصف - Help: المساعدة - Hints / Answer Displayed Before Correct Answer Chosen: تلميحات / يتم عرض الإجابة - قبل اختيار الإجابة الصحيحة - ID: الرقم التعريفي - Id: بطاقة تعريف - Instance Health: صحة المثال - Instructor Dashboard: لوحة المعلومات الخاصة بالأستاذ - Is Managed Externally: تتم إدارتها خارجيًا - JSON Metadata: بيانات تعريف JSON - Language: اللغة - Last Login: آخر تسجيل دخول - Last Name: الاسم الأخير - Last Received Event: آخر حدث تم استلامه - Last Saved At: تم الحفظ الأخير في - Last Saved By Fk: تم الحفظ آخر مرة بواسطة Fk - Last course syncronized: الدورة الأخيرة متزامنة - Level of Education: 'المستوى التعليمي ' - Location: الموقع - Login Count: عدد تسجيل الدخول - Mailing Address: العنوان البريدي - Memory Usage (KB): استخدام الذاكرة (كيلو بايت) - Meta: ميتا - Modified: معدل - Most Active Courses Per Day: الدورات الأكثر نشاطا في اليوم الواحد - Most-used Charts: الرسوم البيانية الأكثر استخداما - Most-used Dashboards: لوحات المعلومات الأكثر استخدامًا - Name: الاسم - Number Of Attempts To Find Correct Answer: عدد المحاولات للعثور على الإجابة الصحيحة - Number Of Students: عدد الطلاب - Number Of Users: عدد المستخدمين - Number Of Viewers / Views: عدد المشاهدين / المشاهدات - Number of Answers Displayed: عدد الإجابات المعروضة - Number of Hints Displayed: عدد التلميحات المعروضة - Number of Posts: عدد المنشورات - Number of Users / Uses: عدد المستخدمين/الاستخدامات - Number of Views / Viewers: عدد المشاهدات / المشاهدين - Number of users: عدد المستخدمين - Object ID: معرف الكائن - Object Type: نوع الكائن - Operator Dashboard: لوحة تحكم المشغل - Order: الطلبية - Organization: مؤسسة - Organizations: المنظمات - Parameters: حدود - Password: كلمة المرور - Percentage Grade: الدرجة المئوية - Perm: موج الشعر بإستمرار - Phone Number: رقم الهاتف - Position Json: موقف جيسون - Posts per user: المشاركات لكل مستخدم - Problem Engagement: مشكلة المشاركة - Problem Id: معرف المشكلة - Problem Name: 'اسم المسألة ' - Problem Name With Location: اسم المشكلة مع الموقع - Problem Performance: أداء المشكلة - Problem name: اسم المشكلة - Profile Image Uploaded At: تم تحميل صورة الملف الشخصي في - Published: تم النشر - Query: استفسار - Query Context: سياق الاستعلام - Query performance: أداء الاستعلام - Question Title: عنوان السؤال - Read Rows: قراءة الصفوف - Repeat Views: كرر المشاهدات - Responses: استجابات - Responses Per Problem: الردود لكل مشكلة - Scaled Score: النتيجة تحجيمها - Schema Perm: مخطط بيرم - Seconds Of Video: ثواني من الفيديو - Segment Start: بداية المقطع - Self Paced: تعلّم ذاتيّ - Slice ID: معرف الشريحة - Slice Name: اسم الشريحة - Slowest ClickHouse Queries: أبطأ استعلامات ClickHouse - Slug: عنوان مختصر - Started At: بدأت في - State: الحالة - Students: طلاب - Success: جرت العملية بنجاح - Superset: مجموعة شاملة - Superset Active Users: مجموعة المستخدمين النشطين - Superset Active Users Over Time: مجموعة شاملة من المستخدمين النشطين بمرور الوقت - Superset Registered Users Over Time: المستخدمون المسجلون في Superset مع مرور الوقت - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : الإجمالي التراكمي للمتعلمين المسجلين الفريدين بناءً على حالة تسجيلهم في نهاية - كل يوم. إذا تم تسجيل المتعلم سابقًا، ولكنه ترك الدورة التدريبية منذ ذلك الحين، - فلن يتم احتسابه اعتبارًا من تاريخ مغادرته. إذا قاموا بإعادة التسجيل في الدورة، - فسيتم احتسابهم مرة أخرى. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : العدد الحالي للتسجيلات النشطة حسب نوع التسجيل الأحدث، لذلك إذا قام المتعلم بالترقية - من التدقيق إلى التحقق منه، فسيتم احتسابه مرة واحدة فقط على أنه تم التحقق منه. - لا يتم احتساب المتعلمين الذين لم يتم تسجيلهم في الدورة. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: توزيع - درجات المقرر الدراسي من 100%. يتم تجميع الدرجات في نطاقات 10٪. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : عدد الطلاب الذين أجابوا على أحد الأسئلة، وما إذا كانوا قد أجابوا بشكل صحيح. يمكن - للطلاب الإجابة على بعض الأسئلة عدة مرات، ولكن هذا المخطط يحسب كل طالب مرة واحدة - فقط لكل سؤال. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : يعرض هذا المخطط عدد المرات التي تم فيها عرض التلميحات (بما في ذلك عرض الإجابة - نفسها) لكل متعلم أجاب في النهاية على المشكلة بشكل صحيح. إذا لم تكن المشكلة تحتوي - على تلميح أو عرض إجابة، فسيقوم هذا المخطط بتجميع الجميع في "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : يساعد هذا المخطط في فهم عدد المتعلمين الذين يستخدمون نصوص الفيديو أو التسميات - التوضيحية المغلقة. إذا لم يكن الفيديو يحتوي على نصوص أو تسميات توضيحية، فسيكون - المخطط فارغًا. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : يوضح هذا المخطط عدد المتعلمين الفريدين الذين شاهدوا كل مقطع فيديو، وعدد مرات المشاهدة - المتكررة التي حصل عليها كل منهم. إذا لم يتم تشغيل مقطع فيديو من قبل، فلن يظهر - في هذا المخطط. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : يوضح هذا الرسم البياني عدد المرات التي يتم فيها اختيار إجابة أو مجموعة من الإجابات - (للاختيار المتعدد) من قبل المتعلمين. تتيح بعض المشكلات للمتعلمين إرسال إجابة أكثر - من مرة، وسيتضمن هذا المخطط جميع الإجابات في هذه الحالة. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : يوضح هذا المخطط عدد المحاولات التي يتعين على الطلاب إجراؤها قبل الحصول على إجابة - المشكلة الصحيحة. يقوم هذا باحتساب الطلاب الذين أجابوا بشكل صحيح في النهاية فقط. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'يوضح هذا المخطط عدد الطلاب الذين سجلوا درجات ضمن نسبة مئوية معينة من النقاط لهذه - المشكلة. بالنسبة للمشكلات التي تم نجاحها/فشلها، فإنها ستظهر فقط نطاقات النسبة - المئوية الأدنى والأعلى. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : يعرض هذا المخطط أجزاء الفيديو الأكثر مشاهدة، والأجزاء الأكثر إعادة مشاهدة. يمثل - كل مقطع 5 ثواني من الفيديو. - Time Last Dumped: الوقت الأخير ملقاة - Time Range: النطاق الزمني - Time range: النطاق الزمني - Total Actors v2: إجمالي الممثلين v2 - Total Hints: إجمالي التلميحات - Total Organizations: إجمالي المنظمات - Total Views: عدد المشاهدات - Total plays: إجمالي المسرحيات - Total transcript usage: إجمالي استخدام النص - Transcripts / Captions Per Video: النصوص / التسميات التوضيحية لكل فيديو - UUID: معرف فريد عالمي "UUID" - Unique Transcript Users: مستخدمو النص الفريدون - Unique Viewers: المشاهدين الفريدين - Unique Watchers: مراقبون فريدون - Unique actors: الجهات الفاعلة الفريدة - User Actions: إجراءات المستخدم - User ID: رقم المستخدم - User Name: اسم المستخدم - User Registration Date: تاريخ تسجيل المستخدم - Username: اسم المستخدم - Value: القيمة - Verb: الفعل - Verb ID: معرف الفعل - Video Engagement: مشاركة الفيديو - Video Event: حدث الفيديو - Video Id: معرف الفيديو - Video Name: اسم الفيديو - Video Name With Location: اسم الفيديو مع الموقع - Video Performance: أداء الفيديو - Video Title: عنوان مقطع الفيديو - Video name: اسم الفيديو - Viz Type: نوع بمعنى - Watched Video Segments: مقاطع الفيديو التي تمت مشاهدتها - Watches Per Video: عدد المشاهدات لكل فيديو - XBlock Data JSON: بيانات XBlock JSON - Year of Birth: سنة الميلاد - audit: مراجعة - honor: شرف - registered: مسجل - unregistered: غير مسجل - verified: تم التحقق - xAPI Events Over Time: أحداث xAPI مع مرور الوقت - xAPI Events Over Time v2: أحداث xAPI مع مرور الوقت v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -da: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtrer - disse resultater ved at vælge forskellige muligheder fra filterpanelet.
-
Select a course from the Filters panel to populate these charts.
:
Vælg - et kursus fra panelet Filtre for at udfylde disse diagrammer.
-
Select a problem from the Filters panel to populate the charts.
:
Vælg - et problem fra panelet Filtre for at udfylde diagrammerne.
-
Select a video from the Filters panel to populate these charts.
:
Vælg - en video fra panelet Filtre for at udfylde disse diagrammer.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : En optælling af antallet af til- og frameldinger pr. dag. Elever kan til- og framelde - sig flere gange, i dette skema vil hver enkelt til- og framelding blive talt med. - Action: Handling - Action Cluster: Action Cluster - Action Count: Antal handlinger - Action Date: Handlingsdato - Active: Aktiv - Active Users Over Time v2: Aktive brugere over tid v2 - Active Users Per Organization: Aktive brugere pr. organisation - Actor ID: Skuespiller ID - Actor IDs over time: Skuespiller-id'er over tid - Actor Id: Skuespiller Id - Answers Chosen: Valgte svar - Attempts: Forsøg - Bio: Bio - COUNT(*): TÆLLE(*) - CSS: CSS - Cache Timeout: Cache-timeout - Certification Details: Certificeringsdetaljer - Certified By: Certificeret af - Changed By Fk: Ændret Af Fk - Changed On: Ændret til - Chart Count: Diagramantal - Chart showing the number of Superset actions taken by each user over the selected time period.: Diagram, - der viser antallet af Superset-handlinger udført af hver bruger i den valgte tidsperiode. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Diagram, - der viser antallet af supersæt-handlinger udført på hvert diagram i den valgte - tidsperiode. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Diagram, - der viser antallet af Superset-handlinger udført på hvert dashboard i den valgte - tidsperiode. - Chart showing the number of registered users over the selected time period.: Diagram, - der viser antallet af registrerede brugere over den valgte tidsperiode. - Charts by Type: Diagrammer efter type - City: By - ClickHouse: ClickHouse - ClickHouse metrics: ClickHouse-metrics - Count of charts created in Superset over the selected time period.: Antal diagrammer, - der er oprettet i Superset over den valgte tidsperiode. - Count of dashboards created in Superset over the selected time period.: Antal dashboards - oprettet i Superset over den valgte tidsperiode. - Count of the various types of charts created in Superset over the selected time period.: Optælling - af de forskellige typer diagrammer, der er oprettet i Superset over den valgte - tidsperiode. - Count of unique users who performed an action in Superset over the selected time period.: Antal - unikke brugere, der udførte en handling i Superset i løbet af den valgte tidsperiode. - Count over time of unique users who performed an action in Superset over the selected time period.: Tæl - over tid af unikke brugere, der udførte en handling i Superset over den valgte - tidsperiode. - Country: Land - Course Data JSON: Kursusdata JSON - Course End: Kurset slutter - Course Enrollment: Kursustilmelding - Course Enrollments Over Time: Kursustilmeldinger over tid - Course Grade (out of 100%): Kursuskarakter (ud af 100%) - Course Grade Distribution: Kursuskarakterfordeling - Course ID: Kursus ID - Course Key: Course Nøgle - Course Key Short: Kursusnøgle kort - Course Name: Kursusnavn - Course Run: Kursusløb - Course Start: Course Start - Course name: Kursusnavn - Course run: Kursusløb - Courses: Kurser - Courses Per Organization: Kurser pr. organisation - Courseware: Kursusmateriale - Created: Oprettet - Created By Fk: Skabt af Fk - Created On: Oprettet den - Currently Enrolled Learners Per Day: Aktuelt tilmeldte elever pr. dag - Dashboard Count: Antal instrumentbræt - Dashboard ID: Dashboard-id - Dashboard Status: Dashboard Status - Dashboard Title: Dashboard titel - Datasource ID: Datakilde-id - Datasource Name: Datakildenavn - Datasource Type: Datakildetype - Description: Beskrivelse - Display Name: Vist navn - Distinct forum users: Distinkte forumbrugere - Distribution Of Attempts: Fordeling af Forsøg - Distribution Of Hints Per Correct Answer: Fordeling af tip pr. korrekt svar - Distribution Of Problem Grades: Fordeling af problemkarakterer - Distribution Of Responses: Fordeling af svar - Dump ID: Dump ID - Duration (Seconds): Varighed (sekunder) - Edited On: Redigeret den - Email: E-mail - Emission Time: Emissionstid - Enrollment End: Tilmelding slut - Enrollment Events Per Day: Tilmeldingsarrangementer pr. dag - Enrollment Mode: Tilmeldingstilstand - Enrollment Start: Tilmelding start - Enrollment Status: Tilmeldingsstatus - Enrollment Status Date: Tilmeldingsstatusdato - Enrollments: Tilmeldinger - Enrollments By Enrollment Mode: Tilmeldinger efter tilmeldingstilstand - Enrollments By Type: Tilmeldinger efter type - Entity Name: Enhedsnavn - Event ID: Hændelses-id - Event String: Begivenhedsstreng - Event Time: Begivenhedstid - Event type: Begivenhedstype - Events per course: Arrangementer pr. kursus - External ID Type: Ekstern ID-type - External Url: Ekstern URL - External User ID: Eksternt bruger-id - Fail Login Count: Mislykket loginantal - First Name: Fornavn - Forum Interaction: Forum Interaktion - Gender: Køn - Goals: Mål - Grade Bucket: Grade Bøtte - Grade Type: Karaktertype - Help: Hjælp - Hints / Answer Displayed Before Correct Answer Chosen: Tip/svar vist før korrekt - svar er valgt - ID: ID - Id: Id - Instance Health: Forekomst sundhed - Instructor Dashboard: Instruktør Betjeningspanel - Is Managed Externally: Styres eksternt - JSON Metadata: JSON-metadata - Language: Sprog - Last Login: Sidste login - Last Name: Efternavn - Last Received Event: Sidst modtaget begivenhed - Last Saved At: Sidst gemt kl - Last Saved By Fk: Sidst gemt af Fk - Last course syncronized: Sidste kursus synkroniseret - Level of Education: Uddannelsesniveau - Location: Beliggenhed - Login Count: Antal login - Mailing Address: Mail-adresse - Memory Usage (KB): Hukommelsesforbrug (KB) - Meta: Meta - Modified: Ændret - Most Active Courses Per Day: Mest aktive kurser pr. dag - Most-used Charts: Mest brugte diagrammer - Most-used Dashboards: Mest brugte Dashboards - Name: Navn - Number Of Attempts To Find Correct Answer: Antal forsøg på at finde det rigtige - svar - Number Of Students: Antal studerende - Number Of Users: Antal brugere - Number Of Viewers / Views: Antal seere/visninger - Number of Answers Displayed: Antal viste svar - Number of Hints Displayed: Antal viste tip - Number of Posts: Antal indlæg - Number of Users / Uses: Antal brugere/anvendelser - Number of Views / Viewers: Antal visninger/seere - Number of users: Antal brugere - Object ID: Objekt ID - Object Type: Objekttype - Operator Dashboard: Operatør Dashboard - Order: Bestille - Organization: Organisation - Organizations: Organisationer - Parameters: Parametre - Password: Kodeord - Percentage Grade: Karakter i procent - Perm: Perm - Phone Number: Telefonnummer - Position Json: Stilling Json - Posts per user: Indlæg pr. bruger - Problem Engagement: Problemengagement - Problem Id: Problem-id - Problem Name: Problem-navn - Problem Name With Location: Problemnavn med placering - Problem Performance: Problemydelse - Problem name: Problemnavn - Profile Image Uploaded At: Profilbillede uploadet kl - Published: Udgivet - Query: Forespørgsel - Query Context: Forespørgselskontekst - Query performance: Forespørgselsydelse - Question Title: Spørgsmålets titel - Read Rows: Læs Rows - Repeat Views: Gentag visninger - Responses: Svar - Responses Per Problem: Svar pr. problem - Scaled Score: Skaleret score - Schema Perm: Skema Perm - Seconds Of Video: Sekunder af video - Segment Start: Segment start - Self Paced: Selvstudium - Slice ID: Udsnits-id - Slice Name: Skivenavn - Slowest ClickHouse Queries: Langsomste ClickHouse-forespørgsler - Slug: Slug - Started At: Startede kl - State: Stat - Students: Studerende - Success: Succes - Superset: Supersæt - Superset Active Users: Supersæt aktive brugere - Superset Active Users Over Time: Supersæt aktive brugere over tid - Superset Registered Users Over Time: Supersæt registrerede brugere over tid - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Den samlede sum af unikke tilmeldte elever baseret på deres tilmeldingsstatus - ved slutningen af hver dag. Hvis en elev var tilmeldt tidligere, men har forladt - kurset siden, tælles de ikke fra den dato, hvor de forlod. Hvis de gentilmelder - sig kurset, vil de blive talt igen. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Det aktuelle antal aktive tilmeldinger efter deres seneste tilmeldingstype, så - hvis en elev opgraderer fra Audit til Verified, vil de kun blive talt én gang - som Verificeret. Elever, der har frameldt sig kurset, tælles ikke med. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Fordelingen - af karakterer for et kursus, ud af 100%. Karakterer er grupperet i intervaller - på 10 %. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Antallet af elever, der har svaret på et spørgsmål, og om de nogensinde har svaret - rigtigt. Elever kan besvare nogle spørgsmål flere gange, men dette skema tæller - kun hver elev én gang pr. spørgsmål. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Dette skema viser antallet af gange, hvor hints (inklusive selve svaret) blev - vist for hver elev, som til sidst besvarede problemet korrekt. Hvis problemet - ikke havde nogen tip eller svarvisning konfigureret, vil dette diagram gruppere - alle i "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Dette diagram hjælper med at forstå, hvor mange elever der bruger videoens transskriptioner - eller lukkede billedtekster. Hvis videoen ikke har transskriptioner eller billedtekster, - vil diagrammet være tomt. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Dette diagram viser, hvor mange unikke elever, der har set hver video, og hvor - mange gentagne visninger, hver enkelt har fået. Hvis en video aldrig er blevet - afspillet, vises den ikke i dette diagram. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Dette diagram viser, hvor ofte et svar eller en kombination af svar (til multi-select) - vælges af eleverne. Nogle problemer giver eleverne mulighed for at indsende et - svar mere end én gang, dette skema vil inkludere alle svarene i det tilfælde. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Dette diagram viser antallet af forsøg, som eleverne skulle gøre, før de fik problemets - svar korrekt. Dette tæller kun elever, der til sidst svarede rigtigt. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Dette diagram viser antallet af elever, der scorede inden for en vis procentdel - af point for dette problem. For problemer, der er bestået/ikke-bestået, vil den - kun vise de laveste og højeste procentområder. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Dette diagram viser, hvilke dele af en video, der er mest set, og hvilke der bliver - set mest igen. Hvert segment repræsenterer 5 sekunder af videoen. - Time Last Dumped: Tid sidst dumpet - Time Range: Tidsområde - Time range: Tidsinterval - Total Actors v2: Total Actors v2 - Total Hints: Samlede hints - Total Organizations: Samlede organisationer - Total Views: Samlet antal visninger - Total plays: Samlede spil - Total transcript usage: Samlet transskriptionsforbrug - Transcripts / Captions Per Video: Transskriptioner / billedtekster pr. video - UUID: UUID - Unique Transcript Users: Unikke transkriptionsbrugere - Unique Viewers: Unikke seere - Unique Watchers: Unikke iagttagere - Unique actors: Unikke skuespillere - User Actions: Brugerhandlinger - User ID: BrugerID - User Name: Brugernavn - User Registration Date: Brugerregistreringsdato - Username: Brugernavn - Value: Værdi - Verb: Udsagnsord - Verb ID: Verbets ID - Video Engagement: Video Engagement - Video Event: Videobegivenhed - Video Id: Video-id - Video Name: Video navn - Video Name With Location: Videonavn med placering - Video Performance: Video ydeevne - Video Title: Video titel - Video name: Videonavn - Viz Type: nemlig type - Watched Video Segments: Set videosegmenter - Watches Per Video: Ses pr. video - XBlock Data JSON: XBlock Data JSON - Year of Birth: Fødselsår - audit: revidere - honor: Ære - registered: registreret - unregistered: uregistreret - verified: verificeret - xAPI Events Over Time: xAPI-begivenheder over tid - xAPI Events Over Time v2: xAPI-begivenheder over tid v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -de_DE: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtern - Sie diese Ergebnisse, indem Sie im Filterbereich verschiedene Optionen auswählen.
-
Select a course from the Filters panel to populate these charts.
:
Wählen - Sie im Filterbereich einen Kurs aus, um diese Diagramme zu füllen.
-
Select a problem from the Filters panel to populate the charts.
:
Wählen - Sie im Bereich „Filter“ ein Problem aus, um die Diagramme zu füllen.
-
Select a video from the Filters panel to populate these charts.
:
Wählen - Sie im Filterbereich ein Video aus, um diese Diagramme zu füllen.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Eine Zählung der Anzahl der Anmeldungen und Abmeldungen pro Tag. Lernende können - sich mehrmals anmelden und abmelden. In dieser Tabelle wird jede einzelne Anmeldung - und Abmeldung gezählt. - Action: Aktion - Action Cluster: Aktionscluster - Action Count: Aktionsanzahl - Action Date: Aktionsdatum - Active: Aktiv - Active Users Over Time v2: Aktive Benutzer im Zeitverlauf v2 - Active Users Per Organization: Aktive Benutzer pro Organisation - Actor ID: Schauspieler-ID - Actor IDs over time: Schauspieler-IDs im Laufe der Zeit - Actor Id: Schauspieler-ID - Answers Chosen: Antworten ausgewählt - Attempts: Versuche - Bio: Bio - COUNT(*): ZÄHLEN(*) - CSS: CSS - Cache Timeout: Cache-Timeout - Certification Details: Zertifizierungsdetails - Certified By: Zertifiziert durch - Changed By Fk: Geändert von Fk - Changed On: Geändert am - Chart Count: Diagrammanzahl - Chart showing the number of Superset actions taken by each user over the selected time period.: Diagramm, - das die Anzahl der Superset-Aktionen zeigt, die jeder Benutzer im ausgewählten - Zeitraum ausgeführt hat. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Diagramm, - das die Anzahl der Superset-Aktionen zeigt, die für jedes Diagramm im ausgewählten - Zeitraum durchgeführt wurden. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Diagramm, - das die Anzahl der Superset-Aktionen zeigt, die auf jedem Dashboard im ausgewählten - Zeitraum durchgeführt wurden. - Chart showing the number of registered users over the selected time period.: Diagramm, - das die Anzahl der registrierten Benutzer im ausgewählten Zeitraum zeigt. - Charts by Type: Diagramme nach Typ - City: Stadt - ClickHouse: ClickHouse - ClickHouse metrics: ClickHouse-Metriken - Count of charts created in Superset over the selected time period.: Anzahl der im - Superset erstellten Diagramme im ausgewählten Zeitraum. - Count of dashboards created in Superset over the selected time period.: Anzahl der - Dashboards, die im ausgewählten Zeitraum in Superset erstellt wurden. - Count of the various types of charts created in Superset over the selected time period.: Anzahl - der verschiedenen Arten von Diagrammen, die im ausgewählten Zeitraum in Superset - erstellt wurden. - Count of unique users who performed an action in Superset over the selected time period.: Anzahl - der einzelnen Benutzer, die im ausgewählten Zeitraum eine Aktion in Superset ausgeführt - haben. - Count over time of unique users who performed an action in Superset over the selected time period.: Zählen - Sie im Laufe der Zeit die einzelnen Benutzer, die im ausgewählten Zeitraum eine - Aktion in Superset ausgeführt haben. - Country: Land - Course Data JSON: Kursdaten JSON - Course End: Kursende - Course Enrollment: Kursanmeldung - Course Enrollments Over Time: Kursanmeldungen im Laufe der Zeit - Course Grade (out of 100%): Kursnote (von 100 %) - Course Grade Distribution: Verteilung der Kursnoten - Course ID: Kurs-ID - Course Key: Kursschlüssel - Course Key Short: Kursschlüssel kurz - Course Name: Kursname - Course Run: Kursverlauf - Course Start: Kursbeginn - Course name: Kursname - Course run: Kursdurchlauf - Courses: Kurse - Courses Per Organization: Kurse pro Organisation - Courseware: Kursinhalte - Created: Erstellt - Created By Fk: Erstellt von Fk - Created On: Erstellt am - Currently Enrolled Learners Per Day: Derzeit eingeschriebene Lernende pro Tag - Dashboard Count: Dashboard-Anzahl - Dashboard ID: Dashboard-ID - Dashboard Status: Dashboard-Status - Dashboard Title: Dashboard-Titel - Datasource ID: Datenquellen-ID - Datasource Name: Datenquellenname - Datasource Type: Datenquellentyp - Description: Beschreibung - Display Name: Anzeigename - Distinct forum users: Eindeutige Forumbenutzer - Distribution Of Attempts: Verteilung der Versuche - Distribution Of Hints Per Correct Answer: Verteilung der Hinweise pro richtiger - Antwort - Distribution Of Problem Grades: Verteilung der Problemgrade - Distribution Of Responses: Verteilung der Antworten - Dump ID: Dump-ID - Duration (Seconds): Dauer (Sekunden) - Edited On: Bearbeitet am - Email: Email - Emission Time: Emissionszeit - Enrollment End: Ende der Einschreibung - Enrollment Events Per Day: Anmeldeveranstaltungen pro Tag - Enrollment Mode: Einschreibungsmodus - Enrollment Start: Anmeldestart - Enrollment Status: Registrierungsstatus - Enrollment Status Date: Datum des Anmeldestatus - Enrollments: Einschreibungen - Enrollments By Enrollment Mode: Anmeldungen nach Anmeldemodus - Enrollments By Type: Anmeldungen nach Typ - Entity Name: Entitätsname - Event ID: Ereignis-ID - Event String: Ereigniszeichenfolge - Event Time: Ereigniszeit - Event type: Ereignistyp - Events per course: Veranstaltungen pro Kurs - External ID Type: Externer ID-Typ - External Url: Externe URL - External User ID: Externe Benutzer-ID - Fail Login Count: Anzahl der fehlgeschlagenen Anmeldungen - First Name: Vorname - Forum Interaction: Forum-Interaktion - Gender: Geschlecht - Goals: Ziele - Grade Bucket: Güteeimer - Grade Type: Notentyp - Help: Hilfe - Hints / Answer Displayed Before Correct Answer Chosen: Hinweise/Antwort werden angezeigt, - bevor die richtige Antwort ausgewählt wird - ID: ID - Id: Ausweis - Instance Health: Instanzgesundheit - Instructor Dashboard: Dozentenübersichtsseite - Is Managed Externally: Wird extern verwaltet - JSON Metadata: JSON-Metadaten - Language: Sprache - Last Login: Letzte Anmeldung - Last Name: Nachname - Last Received Event: Letztes empfangenes Ereignis - Last Saved At: Zuletzt gespeichert um - Last Saved By Fk: Zuletzt gespeichert von Fk - Last course syncronized: Letzter Kurs synchronisiert - Level of Education: Bildungsgrad - Location: Ort - Login Count: Anzahl der Anmeldungen - Mailing Address: Postanschrift - Memory Usage (KB): Speichernutzung (KB) - Meta: Meta - Modified: Geändert - Most Active Courses Per Day: Die aktivsten Kurse pro Tag - Most-used Charts: Am häufigsten verwendete Diagramme - Most-used Dashboards: Am häufigsten verwendete Dashboards - Name: Name - Number Of Attempts To Find Correct Answer: Anzahl der Versuche, die richtige Antwort - zu finden - Number Of Students: Anzahl der Schüler - Number Of Users: Anzahl der Nutzer - Number Of Viewers / Views: Anzahl der Zuschauer / Aufrufe - Number of Answers Displayed: Anzahl der angezeigten Antworten - Number of Hints Displayed: Anzahl der angezeigten Hinweise - Number of Posts: Anzahl der Beiträge - Number of Users / Uses: Anzahl der Benutzer / Verwendungen - Number of Views / Viewers: Anzahl der Aufrufe/Zuschauer - Number of users: Anzahl der Nutzer - Object ID: Objekt Identifikation - Object Type: Objekttyp - Operator Dashboard: Bediener-Dashboard - Order: Bestellung - Organization: Organsation - Organizations: Organisationen - Parameters: Parameter - Password: Passwort - Percentage Grade: Prozentuale Note - Perm: Dauerwelle - Phone Number: Telefonnummer - Position Json: Json positionieren - Posts per user: Beiträge pro Benutzer - Problem Engagement: Problemengagement - Problem Id: Problem-ID - Problem Name: Fragestellung Name - Problem Name With Location: Problemname mit Standort - Problem Performance: Problemleistung - Problem name: Problemname - Profile Image Uploaded At: Profilbild hochgeladen unter - Published: Veröffentlicht - Query: Abfrage - Query Context: Abfragekontext - Query performance: Abfrageleistung - Question Title: Titel der Frage - Read Rows: Zeilen lesen - Repeat Views: Wiederholen Sie Ansichten - Responses: Antworten - Responses Per Problem: Antworten pro Problem - Scaled Score: Skalierte Punktzahl - Schema Perm: Schema Perm - Seconds Of Video: Sekunden Video - Segment Start: Segmentstart - Self Paced: Selbstgewähltes Tempo - Slice ID: Slice-ID - Slice Name: Slice-Name - Slowest ClickHouse Queries: Langsamste ClickHouse-Abfragen - Slug: lesbarer Link - Started At: Fing an bei - State: Zustand - Students: Studenten - Success: Operation Erfolgreich - Superset: Obermenge - Superset Active Users: Obermenge aktiver Benutzer - Superset Active Users Over Time: Superset aktiver Benutzer im Laufe der Zeit - Superset Registered Users Over Time: Obermenge der registrierten Benutzer im Laufe - der Zeit - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Die kumulierte Gesamtzahl der einzelnen eingeschriebenen Lernenden basierend auf - ihrem Einschreibungsstatus am Ende jedes Tages. Wenn ein Lernender zuvor eingeschrieben - war, den Kurs jedoch seitdem verlassen hat, wird er ab dem Datum, an dem er den - Kurs verlassen hat, nicht gezählt. Bei einer erneuten Einschreibung in den Kurs - werden sie erneut gezählt. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Die aktuelle Anzahl der aktiven Anmeldungen nach ihrem neuesten Anmeldetyp. Wenn - ein Lernender also von „Prüfung“ auf „Verifiziert“ hochgestuft wird, wird er nur - einmal als „Verifiziert“ gezählt. Studierende, die sich vom Kurs abgemeldet haben, - werden nicht berücksichtigt. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Die - Verteilung der Noten für einen Kurs, ausgehend von 100 %. Die Noten werden in - Bereichen von 10 % gruppiert. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Die Anzahl der Schüler, die auf eine Frage geantwortet haben, und ob sie jemals - richtig geantwortet haben. Schüler können einige Fragen mehrmals beantworten, - in dieser Tabelle wird jeder Schüler jedoch nur einmal pro Frage gezählt. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Dieses Diagramm zeigt an, wie oft Hinweise (einschließlich der Anzeige der Antwort - selbst) für jeden Lernenden angezeigt wurden, der die Aufgabe letztendlich richtig - beantwortet hat. Wenn für das Problem keine Hinweis- oder Antwortanzeige konfiguriert - war, gruppiert dieses Diagramm alle in „0“. - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Dieses Diagramm hilft zu verstehen, wie viele Lernende die Transkripte oder Untertitel - des Videos verwenden. Wenn das Video keine Transkripte oder Untertitel enthält, - ist das Diagramm leer. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Dieses Diagramm zeigt, wie viele einzelne Lernende sich jedes Video angesehen - haben und wie viele wiederholte Aufrufe jeder erhalten hat. Wenn ein Video noch - nie abgespielt wurde, erscheint es nicht in dieser Tabelle. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Dieses Diagramm zeigt, wie oft eine Antwort oder eine Antwortkombination (bei - Mehrfachauswahl) von Lernenden ausgewählt wird. Bei einigen Problemen können Lernende - eine Antwort mehr als einmal einreichen. In diesem Fall enthält dieses Diagramm - alle Antworten. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Dieses Diagramm zeigt die Anzahl der Versuche, die die Schüler unternehmen mussten, - bevor sie die richtige Antwort auf die Aufgabe bekamen. Dabei werden nur Studierende - berücksichtigt, die letztendlich richtig geantwortet haben. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Dieses Diagramm zeigt die Anzahl der Schüler, die bei dieser Aufgabe einen bestimmten - Prozentsatz an Punkten erreicht haben. Bei bestandenen/nicht bestandenen Problemen - werden nur die niedrigsten und höchsten Prozentbereiche angezeigt. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Dieses Diagramm zeigt, welche Teile eines Videos am häufigsten angesehen werden - und welche am häufigsten erneut angesehen werden. Jedes Segment repräsentiert - 5 Sekunden des Videos. - Time Last Dumped: Zeitpunkt der letzten Entleerung - Time Range: Zeitspanne - Time range: Zeitspanne - Total Actors v2: Gesamtschauspieler v2 - Total Hints: Gesamthinweise - Total Organizations: Gesamtzahl der Organisationen - Total Views: Gesamtansichten - Total plays: Gesamtzahl der Spiele - Total transcript usage: Gesamte Transkriptnutzung - Transcripts / Captions Per Video: Transkripte/Untertitel pro Video - UUID: UUID - Unique Transcript Users: Einzigartige Transkriptbenutzer - Unique Viewers: Einzigartige Zuschauer - Unique Watchers: Einzigartige Beobachter - Unique actors: Einzigartige Schauspieler - User Actions: Benutzeraktionen - User ID: Benutzer-ID - User Name: Nutzername - User Registration Date: Datum der Benutzerregistrierung - Username: Nutzername - Value: Wert - Verb: Verb - Verb ID: Verb-ID - Video Engagement: Video-Engagement - Video Event: Video-Event - Video Id: Video-ID - Video Name: Videoname - Video Name With Location: Videoname mit Standort - Video Performance: Videoleistung - Video Title: Videotitel - Video name: Videoname - Viz Type: Visualisierungstyp - Watched Video Segments: Angesehene Videosegmente - Watches Per Video: Ansehen pro Video - XBlock Data JSON: XBlock-Daten JSON - Year of Birth: Geburtsjahr - audit: Prüfung - honor: Ehre - registered: Eingetragen - unregistered: nicht registriert - verified: verifiziert - xAPI Events Over Time: xAPI-Ereignisse im Zeitverlauf - xAPI Events Over Time v2: xAPI-Ereignisse im Zeitverlauf v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -el: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Φιλτράρετε - αυτά τα αποτελέσματα επιλέγοντας διάφορες επιλογές από τον πίνακα φίλτρων.
-
Select a course from the Filters panel to populate these charts.
:
Επιλέξτε - ένα μάθημα από τον πίνακα Φίλτρα για να συμπληρώσετε αυτά τα γραφήματα.
-
Select a problem from the Filters panel to populate the charts.
:
Επιλέξτε - ένα πρόβλημα από τον πίνακα Φίλτρα για να συμπληρώσετε τα γραφήματα.
-
Select a video from the Filters panel to populate these charts.
:
Επιλέξτε - ένα βίντεο από τον πίνακα Φίλτρα για να συμπληρώσετε αυτά τα γραφήματα.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Καταμέτρηση του αριθμού εγγραφών και απεγγραφών ανά ημέρα. Οι μαθητές μπορούν - να εγγραφούν και να καταργήσουν την εγγραφή τους πολλές φορές, σε αυτό το γράφημα - θα μετρηθεί κάθε μεμονωμένη εγγραφή και κατάργηση εγγραφής. - Action: Ενέργεια - Action Cluster: Σύμπλεγμα δράσης - Action Count: Καταμέτρηση ενεργειών - Action Date: Ημερομηνία δράσης - Active: Ενεργό - Active Users Over Time v2: Ενεργοί χρήστες με την πάροδο του χρόνου v2 - Active Users Per Organization: Ενεργοί χρήστες ανά οργανισμό - Actor ID: Ταυτότητα ηθοποιού - Actor IDs over time: Ταυτότητες ηθοποιών με την πάροδο του χρόνου - Actor Id: Actor Id - Answers Chosen: Επιλεγμένες απαντήσεις - Attempts: Προσπάθειες - Bio: Bio - COUNT(*): ΜΕΤΡΩ(*) - CSS: CSS - Cache Timeout: Χρονικό όριο προσωρινής μνήμης - Certification Details: Στοιχεία Πιστοποίησης - Certified By: Πιστοποιημένο από - Changed By Fk: Αλλαγή από Fk - Changed On: Ενεργοποιήθηκε - Chart Count: Καταμέτρηση γραφημάτων - Chart showing the number of Superset actions taken by each user over the selected time period.: Γράφημα - που δείχνει τον αριθμό των ενεργειών Superset που πραγματοποιήθηκαν από κάθε χρήστη - κατά την επιλεγμένη χρονική περίοδο. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Γράφημα - που δείχνει τον αριθμό των ενεργειών Superset που έγιναν σε κάθε γράφημα στην - επιλεγμένη χρονική περίοδο. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Γράφημα - που δείχνει τον αριθμό των ενεργειών Superset που έγιναν σε κάθε πίνακα εργαλείων - στην επιλεγμένη χρονική περίοδο. - Chart showing the number of registered users over the selected time period.: Γράφημα - που δείχνει τον αριθμό των εγγεγραμμένων χρηστών κατά την επιλεγμένη χρονική περίοδο. - Charts by Type: Διαγράμματα ανά τύπο - City: Πόλη - ClickHouse: ClickHouse - ClickHouse metrics: Μετρήσεις ClickHouse - Count of charts created in Superset over the selected time period.: Πλήθος γραφημάτων - που δημιουργήθηκαν στο Superset κατά την επιλεγμένη χρονική περίοδο. - Count of dashboards created in Superset over the selected time period.: Πλήθος πινάκων - εργαλείων που δημιουργήθηκαν στο Superset κατά την επιλεγμένη χρονική περίοδο. - Count of the various types of charts created in Superset over the selected time period.: Καταμέτρηση - των διάφορων τύπων γραφημάτων που δημιουργήθηκαν στο Superset κατά την επιλεγμένη - χρονική περίοδο. - Count of unique users who performed an action in Superset over the selected time period.: Πλήθος - μοναδικών χρηστών που πραγματοποίησαν μια ενέργεια στο Superset κατά την επιλεγμένη - χρονική περίοδο. - Count over time of unique users who performed an action in Superset over the selected time period.: Μετρήστε - με την πάροδο του χρόνου των μοναδικών χρηστών που πραγματοποίησαν μια ενέργεια - στο Superset κατά την επιλεγμένη χρονική περίοδο. - Country: Χώρα - Course Data JSON: Δεδομένα μαθήματος JSON - Course End: Λήξη του μαθήματος - Course Enrollment: Εγγραφή μαθημάτων - Course Enrollments Over Time: Εγγραφές μαθημάτων με την πάροδο του χρόνου - Course Grade (out of 100%): Βαθμός μαθήματος (από 100%) - Course Grade Distribution: Κατανομή βαθμών μαθήματος - Course ID: Ταυτότητα μαθήματος - Course Key: Κλειδί μαθήματος - Course Key Short: Σύντομο κλειδί μαθήματος - Course Name: Τίτλος Μαθήματος - Course Run: Περίοδος Μαθήματος - Course Start: Έναρξη μαθήματος - Course name: Όνομα μαθήματος - Course run: Εκτέλεση μαθημάτων - Courses: Μαθήματα - Courses Per Organization: Μαθήματα ανά οργανισμό - Courseware: Υλικό Mαθήματος - Created: Δημιουργήθηκε - Created By Fk: Δημιουργήθηκε από Fk - Created On: Δημιουργήθηκε στο - Currently Enrolled Learners Per Day: Επί του παρόντος εγγεγραμμένοι μαθητές ανά - ημέρα - Dashboard Count: Καταμέτρηση ταμπλό - Dashboard ID: Αναγνωριστικό πίνακα ελέγχου - Dashboard Status: Κατάσταση ταμπλό - Dashboard Title: Τίτλος πίνακα ελέγχου - Datasource ID: Αναγνωριστικό πηγής δεδομένων - Datasource Name: Όνομα πηγής δεδομένων - Datasource Type: Τύπος πηγής δεδομένων - Description: Περιγραφή - Display Name: Εμφανιζόμενο όνομα - Distinct forum users: Διακεκριμένοι χρήστες του φόρουμ - Distribution Of Attempts: Διανομή Προσπαθειών - Distribution Of Hints Per Correct Answer: Κατανομή υποδείξεων ανά σωστή απάντηση - Distribution Of Problem Grades: Κατανομή Βαθμών Προβλήματος - Distribution Of Responses: Κατανομή Απαντήσεων - Dump ID: Dump ID - Duration (Seconds): Διάρκεια (δευτερόλεπτα) - Edited On: Επεξεργασία στις - Email: Email - Emission Time: Χρόνος εκπομπής - Enrollment End: Λήξη Εγγραφής - Enrollment Events Per Day: Εκδηλώσεις εγγραφής ανά ημέρα - Enrollment Mode: Λειτουργία συμμετοχής - Enrollment Start: Έναρξη Εγγραφών - Enrollment Status: Κατάσταση Εγγραφής - Enrollment Status Date: Ημερομηνία Κατάστασης Εγγραφής - Enrollments: Εγγραφές - Enrollments By Enrollment Mode: Εγγραφές κατά τρόπο λειτουργίας εγγραφής - Enrollments By Type: Εγγραφές κατά τύπο - Entity Name: Ονομα οντότητας - Event ID: Αναγνωριστικό συμβάντος - Event String: Συμβολοσειρά συμβάντος - Event Time: Ώρα εκδήλωσης - Event type: Τύπος συμβάντος - Events per course: Εκδηλώσεις ανά μάθημα - External ID Type: Τύπος εξωτερικού αναγνωριστικού - External Url: Εξωτερική διεύθυνση URL - External User ID: Εξωτερικό αναγνωριστικό χρήστη - Fail Login Count: Καταμέτρηση αποτυχίας σύνδεσης - First Name: Όνομα - Forum Interaction: Αλληλεπίδραση φόρουμ - Gender: Φύλο - Goals: Στόχοι - Grade Bucket: Κάδος βαθμού - Grade Type: Τύπος βαθμού - Help: Βοήθεια - Hints / Answer Displayed Before Correct Answer Chosen: Συμβουλές / Απάντηση που - εμφανίζεται πριν από την επιλογή της σωστής απάντησης - ID: Ταυτότητα - Id: Ταυτότητα - Instance Health: Παράδειγμα Υγείας - Instructor Dashboard: Πίνακας διδάσκοντα - Is Managed Externally: Διαχειρίζεται Εξωτερικά - JSON Metadata: JSON Μεταδεδομένα - Language: Γλώσσα - Last Login: Τελευταία είσοδος - Last Name: Επώνυμο - Last Received Event: Τελευταία παραλαβή εκδήλωση - Last Saved At: Τελευταία αποθήκευση στις - Last Saved By Fk: Τελευταία αποθήκευση από Fk - Last course syncronized: Το τελευταίο μάθημα συγχρονίστηκε - Level of Education: Επίπεδο εκπαίδευσης - Location: Τόπος διαμονής - Login Count: Καταμέτρηση σύνδεσης - Mailing Address: Ταχυδρομική διεύθυνση - Memory Usage (KB): Χρήση μνήμης (KB) - Meta: Μετα - Modified: Τροποποιήθηκε - Most Active Courses Per Day: Τα πιο ενεργά μαθήματα ανά ημέρα - Most-used Charts: Πιο χρησιμοποιημένα γραφήματα - Most-used Dashboards: Οι πιο χρησιμοποιημένοι πίνακες ελέγχου - Name: Όνομα - Number Of Attempts To Find Correct Answer: Αριθμός προσπαθειών για εύρεση της σωστής - απάντησης - Number Of Students: Αριθμός μαθητών - Number Of Users: Αριθμός χρηστών - Number Of Viewers / Views: Αριθμός θεατών / προβολών - Number of Answers Displayed: Αριθμός Εμφανιζόμενων Απαντήσεων - Number of Hints Displayed: Αριθμός Εμφανιζόμενων Συμβουλών - Number of Posts: Αριθμός Αναρτήσεων - Number of Users / Uses: Αριθμός Χρηστών / Χρήσεων - Number of Views / Viewers: Αριθμός προβολών / θεατών - Number of users: Αριθμός χρηστών - Object ID: Αναγνωριστικό αντικειμένου - Object Type: Τύπος αντικειμένου - Operator Dashboard: Πίνακας ελέγχου χειριστή - Order: Παραγγελία - Organization: Τομέας - Organizations: Οργανώσεις - Parameters: Παράμετροι - Password: Κωδικός - Percentage Grade: Ποσοστό Βαθμός - Perm: Περμανάντ - Phone Number: Τηλεφωνικό νούμερο - Position Json: Θέση Json - Posts per user: Αναρτήσεις ανά χρήστη - Problem Engagement: Πρόβλημα εμπλοκής - Problem Id: Αναγνωριστικό προβλήματος - Problem Name: Ονομασία προβλήματος - Problem Name With Location: Όνομα προβλήματος με τοποθεσία - Problem Performance: Πρόβλημα Απόδοση - Problem name: Όνομα προβλήματος - Profile Image Uploaded At: Η εικόνα προφίλ ανέβηκε στο - Published: Δημοσιευμένο - Query: Ερώτηση - Query Context: Πλαίσιο ερωτήματος - Query performance: Ερώτηση απόδοσης - Question Title: Τίτλος ερώτησης - Read Rows: Διαβάστε τις γραμμές - Repeat Views: Επαναλαμβανόμενες προβολές - Responses: Απαντήσεις - Responses Per Problem: Απαντήσεις ανά πρόβλημα - Scaled Score: Κλιμακωμένη βαθμολογία - Schema Perm: Σχήμα Περμ - Seconds Of Video: Δευτερόλεπτα βίντεο - Segment Start: Έναρξη τμήματος - Self Paced: Αυτορυθμιζόμενης διάρκειας - Slice ID: Αναγνωριστικό τομής - Slice Name: Όνομα φέτας - Slowest ClickHouse Queries: Τα πιο αργά ερωτήματα ClickHouse - Slug: Συντομία - Started At: Ξεκίνησε στις - State: Κατάσταση - Students: Φοιτητές - Success: Επιτυχία - Superset: Superset - Superset Active Users: Ενεργοί χρήστες Superset - Superset Active Users Over Time: Superset Ενεργοί χρήστες με την πάροδο του χρόνου - Superset Registered Users Over Time: Εγγεγραμμένοι χρήστες Superset με την πάροδο - του χρόνου - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Το αθροιστικό σύνολο των μοναδικών εγγεγραμμένων μαθητών με βάση την κατάσταση - εγγραφής τους στο τέλος κάθε ημέρας. Εάν ένας μαθητής είχε εγγραφεί στο παρελθόν, - αλλά έχει αποχωρήσει από το μάθημα έκτοτε, δεν υπολογίζεται από την ημερομηνία - που έφυγε. Αν εγγραφούν ξανά στο μάθημα θα ξαναμετρηθούν. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Το τρέχον πλήθος των ενεργών εγγραφών με βάση τον πιο πρόσφατο τύπο εγγραφής τους, - επομένως, εάν ένας εκπαιδευόμενος αναβαθμιστεί από Έλεγχος σε Επαληθευμένο, θα - μετρηθεί μόνο μία φορά ως Επαληθευμένος. Οι εκπαιδευόμενοι που έχουν διαγραφεί - στο μάθημα δεν υπολογίζονται. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Η - κατανομή των βαθμών για ένα μάθημα, από το 100%. Οι βαθμοί ομαδοποιούνται σε εύρη - 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Ο αριθμός των μαθητών που απάντησαν σε μια ερώτηση και αν απάντησαν ποτέ σωστά. - Οι μαθητές μπορούν να απαντήσουν σε ορισμένες ερωτήσεις πολλές φορές, αλλά αυτό - το γράφημα μετράει κάθε μαθητή μόνο μία φορά ανά ερώτηση. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Αυτό το γράφημα εμφανίζει τον αριθμό των φορών που εμφανίστηκαν υποδείξεις (συμπεριλαμβανομένης - της εμφάνισης της ίδιας της απάντησης) για κάθε μαθητή που τελικά απάντησε σωστά - στο πρόβλημα. Εάν το πρόβλημα δεν είχε διαμορφωθεί υπόδειξη ή απάντηση, αυτό το - γράφημα θα ομαδοποιήσει όλους σε "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Αυτό το γράφημα βοηθά να κατανοήσουμε πόσοι μαθητές χρησιμοποιούν τις μεταγραφές - ή τους υπότιτλους του βίντεο. Εάν το βίντεο δεν έχει μεταγραφές ή υπότιτλους, - το γράφημα θα είναι κενό. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Αυτό το γράφημα δείχνει πόσοι μοναδικοί μαθητές έχουν παρακολουθήσει κάθε βίντεο - και πόσες επαναλαμβανόμενες προβολές έχει ο καθένας. Εάν ένα βίντεο δεν έχει αναπαραχθεί - ποτέ, δεν θα εμφανίζεται σε αυτό το γράφημα. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Αυτό το γράφημα δείχνει πόσο συχνά επιλέγεται μια απάντηση ή συνδυασμός απαντήσεων - (για πολλαπλή επιλογή) από τους μαθητές. Ορισμένα προβλήματα επιτρέπουν στους - μαθητές να υποβάλουν μια απάντηση περισσότερες από μία φορές, αυτό το γράφημα - θα περιλαμβάνει όλες τις απαντήσεις σε αυτήν την περίπτωση. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Αυτό το διάγραμμα δείχνει τον αριθμό των προσπαθειών που έπρεπε να κάνουν οι μαθητές - πριν λάβουν τη σωστή απάντηση του προβλήματος. Αυτό μετράει μόνο τους μαθητές - που τελικά απάντησαν σωστά. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Αυτό το γράφημα δείχνει τον αριθμό των μαθητών που σημείωσαν ένα συγκεκριμένο - ποσοστό πόντων για αυτό το πρόβλημα. Για προβλήματα που έχουν επιτυχία/αποτυχία, - θα εμφανίζει μόνο το χαμηλότερο και το υψηλότερο εύρος ποσοστών. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Αυτό το γράφημα δείχνει ποια μέρη ενός βίντεο παρακολουθούνται περισσότερο και - ποια είναι τα περισσότερα. Κάθε τμήμα αντιπροσωπεύει 5 δευτερόλεπτα του βίντεο. - Time Last Dumped: Time Last Dumped - Time Range: Εύρος χρόνου - Time range: Εύρος χρόνου - Total Actors v2: Σύνολο ηθοποιών v2 - Total Hints: Σύνολο υποδείξεων - Total Organizations: Σύνολο Οργανισμών - Total Views: Συνολικές προβολές - Total plays: Σύνολο παιχνιδιών - Total transcript usage: Συνολική χρήση μεταγραφής - Transcripts / Captions Per Video: Μεταγραφές / Υπότιτλοι ανά βίντεο - UUID: UUID - Unique Transcript Users: Μοναδικοί χρήστες μεταγραφής - Unique Viewers: Μοναδικοί θεατές - Unique Watchers: Μοναδικοί Παρατηρητές - Unique actors: Μοναδικοί ηθοποιοί - User Actions: Ενέργειες χρήστη - User ID: Ταυτότητα χρήστη - User Name: Ονομα χρήστη - User Registration Date: Ημερομηνία εγγραφής χρήστη - Username: Ψευδώνυμο - Value: Τιμή - Verb: Ρήμα - Verb ID: Αναγνωριστικό ρήματος - Video Engagement: Δέσμευση βίντεο - Video Event: Εκδήλωση βίντεο - Video Id: Αναγνωριστικό βίντεο - Video Name: Όνομα βίντεο - Video Name With Location: Όνομα βίντεο με τοποθεσία - Video Performance: Απόδοση βίντεο - Video Title: Τίτλος βίντεο - Video name: Όνομα βίντεο - Viz Type: Viz Τύπος - Watched Video Segments: Παρακολούθησαν τμήματα βίντεο - Watches Per Video: Ρολόγια ανά βίντεο - XBlock Data JSON: XBlock Data JSON - Year of Birth: Έτος γέννησης - audit: έλεγχος - honor: τιμή - registered: εγγεγραμμένος - unregistered: αδήλωτος - verified: επαληθεύτηκε - xAPI Events Over Time: xAPI συμβάντα με την πάροδο του χρόνου - xAPI Events Over Time v2: xAPI συμβάντα με την πάροδο του χρόνου v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -es_419: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtre - estos resultados seleccionando varias opciones en el panel de filtros.
-
Select a course from the Filters panel to populate these charts.
:
Seleccione - un curso del panel Filtros para completar estos gráficos.
-
Select a problem from the Filters panel to populate the charts.
:
Seleccione - un problema del panel Filtros para completar los gráficos.
-
Select a video from the Filters panel to populate these charts.
:
Seleccione - un video del panel Filtros para completar estos gráficos.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Un recuento del número de altas y bajas por día. Los estudiantes pueden inscribirse - y cancelar su inscripción varias veces; en este cuadro se contará cada inscripción - y cancelación de inscripción individual. - Action: Acción - Action Cluster: Grupo de acción - Action Count: Recuento de acciones - Action Date: Fecha de acción - Active: Activo - Active Users Over Time v2: Usuarios activos a lo largo del tiempo v2 - Active Users Per Organization: Usuarios activos por organización - Actor ID: Identificación del actor - Actor IDs over time: ID de actores a lo largo del tiempo - Actor Id: Identificación del actor - Answers Chosen: Respuestas elegidas - Attempts: Intentos - Bio: Biografía - COUNT(*): CONTAR(*) - CSS: CSS - Cache Timeout: Tiempo de espera de caché - Certification Details: Detalles de certificación - Certified By: Certificado por - Changed By Fk: cambiado por fk - Changed On: Cambiado en - Chart Count: Recuento de gráficos - Chart showing the number of Superset actions taken by each user over the selected time period.: Gráfico - que muestra la cantidad de acciones de Superconjunto realizadas por cada usuario - durante el período de tiempo seleccionado. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Gráfico - que muestra la cantidad de acciones de Superconjunto realizadas en cada gráfico - en el período de tiempo seleccionado. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Gráfico - que muestra la cantidad de acciones de Superconjunto realizadas en cada panel - en el período de tiempo seleccionado. - Chart showing the number of registered users over the selected time period.: Gráfico - que muestra el número de usuarios registrados durante el período de tiempo seleccionado. - Charts by Type: Gráficos por tipo - City: Ciudad - ClickHouse: Haga clic en casa - ClickHouse metrics: Métricas de ClickHouse - Count of charts created in Superset over the selected time period.: Recuento de - gráficos creados en Superset durante el período de tiempo seleccionado. - Count of dashboards created in Superset over the selected time period.: Recuento - de paneles creados en Superset durante el período de tiempo seleccionado. - Count of the various types of charts created in Superset over the selected time period.: Recuento - de los distintos tipos de gráficos creados en Superset durante el período de tiempo - seleccionado. - Count of unique users who performed an action in Superset over the selected time period.: Recuento - de usuarios únicos que realizaron una acción en Superset durante el período de - tiempo seleccionado. - Count over time of unique users who performed an action in Superset over the selected time period.: Cuente - a lo largo del tiempo de usuarios únicos que realizaron una acción en Superset - durante el período de tiempo seleccionado. - Country: País - Course Data JSON: Datos del curso JSON - Course End: Finalización del curso - Course Enrollment: Inscripción al curso - Course Enrollments Over Time: Inscripciones a cursos a lo largo del tiempo - Course Grade (out of 100%): Calificación del curso (sobre 100%) - Course Grade Distribution: Distribución de calificaciones del curso - Course ID: Id de Curso - Course Key: Llave del curso - Course Key Short: Clave del curso corta - Course Name: Nombre del curso - Course Run: Versión del curso - Course Start: Inicio del Curso - Course name: Nombre del curso - Course run: ejecución del curso - Courses: Cursos - Courses Per Organization: Cursos por organización - Courseware: Contenidos - Created: Creado - Created By Fk: Creado por fk - Created On: Creado en - Currently Enrolled Learners Per Day: Estudiantes actualmente inscritos por día - Dashboard Count: Recuento del panel - Dashboard ID: ID del panel - Dashboard Status: Estado del panel - Dashboard Title: Título del panel - Datasource ID: ID de fuente de datos - Datasource Name: Nombre de fuente de datos - Datasource Type: Tipo de fuente de datos - Description: Descripción - Display Name: Nombre a mostrar - Distinct forum users: Usuarios distintos del foro - Distribution Of Attempts: Distribución de intentos - Distribution Of Hints Per Correct Answer: Distribución de sugerencias por respuesta - correcta - Distribution Of Problem Grades: Distribución de calificaciones de problemas - Distribution Of Responses: Distribución de respuestas - Dump ID: ID de volcado - Duration (Seconds): Duración (segundos) - Edited On: Editado el - Email: Correo electrónico - Emission Time: Tiempo de emisión - Enrollment End: Fin de inscripción - Enrollment Events Per Day: Eventos de inscripción por día - Enrollment Mode: Modo de inscripción - Enrollment Start: Inicio de Inscripción - Enrollment Status: Estado de inscripción - Enrollment Status Date: Estado de inscripción Fecha - Enrollments: Inscripciones - Enrollments By Enrollment Mode: Inscripciones por modalidad de inscripción - Enrollments By Type: Inscripciones por tipo - Entity Name: Nombre de la entidad - Event ID: ID de evento - Event String: Cadena de evento - Event Time: Hora del evento - Event type: Tipo de evento - Events per course: Eventos por curso - External ID Type: Tipo de identificación externa - External Url: URL externa - External User ID: ID de usuario externo - Fail Login Count: Recuento de inicios de sesión fallidos - First Name: Primer Nombre - Forum Interaction: Interacción en el foro - Gender: Género - Goals: Objetivos - Grade Bucket: Cuchara de grado - Grade Type: Tipo de grado - Help: Ayuda - Hints / Answer Displayed Before Correct Answer Chosen: Sugerencias/respuesta mostradas - antes de elegir la respuesta correcta - ID: ID - Id: Identificación - Instance Health: Estado de la instancia - Instructor Dashboard: Panel de control del instructor - Is Managed Externally: Se gestiona externamente - JSON Metadata: Metadatos JSON - Language: Idioma - Last Login: Último inicio de sesión - Last Name: Apellido - Last Received Event: Último evento recibido - Last Saved At: Último guardado en - Last Saved By Fk: Guardado por última vez por Fk - Last course syncronized: Último curso sincronizado - Level of Education: Nivel educativo - Location: Ubicación - Login Count: Conteo de inicios de sesión - Mailing Address: Dirección de correspondencia - Memory Usage (KB): Uso de memoria (KB) - Meta: Meta - Modified: Modificado - Most Active Courses Per Day: Cursos más activos por día - Most-used Charts: Gráficos más utilizados - Most-used Dashboards: Paneles de control más utilizados - Name: Nombre - Number Of Attempts To Find Correct Answer: Número de intentos para encontrar la - respuesta correcta - Number Of Students: Numero de estudiantes - Number Of Users: Número de usuarios - Number Of Viewers / Views: Número de espectadores/vistas - Number of Answers Displayed: Número de respuestas mostradas - Number of Hints Displayed: Número de sugerencias mostradas - Number of Posts: Número de publicaciones - Number of Users / Uses: Número de Usuarios / Usos - Number of Views / Viewers: Número de vistas/espectadores - Number of users: Número de usuarios - Object ID: ID de objeto - Object Type: Tipo de objeto - Operator Dashboard: Panel del operador - Order: Orden - Organization: Organización - Organizations: Organizaciones - Parameters: Parámetros - Password: Contraseña - Percentage Grade: Calificación porcentual - Perm: Permanente - Phone Number: Número de teléfono - Position Json: Posición Json - Posts per user: Publicaciones por usuario - Problem Engagement: Compromiso con el problema - Problem Id: Identificación del problema - Problem Name: Nombre del problema - Problem Name With Location: Nombre del problema con ubicación - Problem Performance: Rendimiento del problema - Problem name: Nombre del problema - Profile Image Uploaded At: Imagen de perfil cargada en - Published: Publicado - Query: Consulta - Query Context: Contexto de consulta - Query performance: Rendimiento de consultas - Question Title: Título de la pregunta - Read Rows: Leer filas - Repeat Views: Repetir vistas - Responses: Respuestas - Responses Per Problem: Respuestas por problema - Scaled Score: Resultado en escala - Schema Perm: Esquema permanente - Seconds Of Video: Segundos de vídeo - Segment Start: Inicio del segmento - Self Paced: Ritmo propio. - Slice ID: ID de segmento - Slice Name: Nombre del sector - Slowest ClickHouse Queries: Consultas de ClickHouse más lentas - Slug: Slug - Started At: Empezó a las - State: Estado - Students: Estudiantes - Success: Finalización exitosa - Superset: Superserie - Superset Active Users: Usuarios activos de superconjunto - Superset Active Users Over Time: Superconjunto de usuarios activos a lo largo del - tiempo - Superset Registered Users Over Time: Superconjunto de usuarios registrados a lo - largo del tiempo - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : El total acumulado de alumnos inscritos únicos según su estado de inscripción - al final de cada día. Si un alumno estuvo inscrito anteriormente, pero abandonó - el curso desde entonces, no se cuenta a partir de la fecha en que lo dejó. Si - se reinscriben en el curso se volverán a contabilizar. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : El recuento actual de inscripciones activas según su tipo de inscripción más reciente, - por lo que si un alumno pasó de Auditoría a Verificado, solo se contará una vez - como Verificado. Los estudiantes que se han dado de baja en el curso no se cuentan. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: La - distribución de calificaciones de un curso, sobre 100%. Las calificaciones se - agrupan en rangos del 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : El número de estudiantes que han respondido a una pregunta y si alguna vez han - respondido correctamente. Los estudiantes pueden responder algunas preguntas varias - veces, pero este cuadro cuenta a cada estudiante solo una vez por pregunta. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Este gráfico muestra el número de veces que se mostraron sugerencias (incluida - la respuesta en sí) para cada alumno que finalmente respondió correctamente al - problema. Si el problema no tenía configurada ninguna sugerencia o respuesta, - este cuadro agrupará a todos en "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Este cuadro ayuda a comprender cuántos alumnos utilizan las transcripciones o - los subtítulos del vídeo. Si el vídeo no tiene transcripciones ni subtítulos, - el gráfico estará vacío. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Este gráfico muestra cuántos alumnos únicos han visto cada vídeo y cuántas visualizaciones - repetidas ha obtenido cada uno. Si un vídeo nunca se ha reproducido, no aparecerá - en este gráfico. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Este gráfico muestra la frecuencia con la que los alumnos seleccionan una respuesta - o una combinación de respuestas (para selección múltiple). Algunos problemas permiten - a los alumnos enviar una respuesta más de una vez; en ese caso, este cuadro incluirá - todas las respuestas. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Este cuadro muestra la cantidad de intentos que los estudiantes tuvieron que hacer - antes de obtener la respuesta correcta al problema. Esto solo cuenta a los estudiantes - que finalmente respondieron correctamente. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Este gráfico muestra la cantidad de estudiantes que obtuvieron puntajes dentro - de un cierto porcentaje de puntos para este problema. Para los problemas de aprobación/reprobación, - solo mostrará los rangos de porcentaje más bajo y más alto. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Este gráfico muestra qué partes de un vídeo se ven más y cuáles se vuelven a ver - con mayor frecuencia. Cada segmento representa 5 segundos del vídeo. - Time Last Dumped: Hora del último dumping - Time Range: Intervalo de tiempo - Time range: Intervalo de tiempo - Total Actors v2: Actores totales v2 - Total Hints: Pistas totales - Total Organizations: Total de organizaciones - Total Views: Vistas totales - Total plays: Jugadas totales - Total transcript usage: Uso total de transcripciones - Transcripts / Captions Per Video: Transcripciones / subtítulos por video - UUID: UUID - Unique Transcript Users: Usuarios únicos de transcripción - Unique Viewers: Espectadores únicos - Unique Watchers: Vigilantes únicos - Unique actors: Actores únicos - User Actions: Acciones del usuario - User ID: ID de usuario - User Name: Nombre de usuario - User Registration Date: Fecha de registro de usuario - Username: Nombre de usuario - Value: Valor - Verb: Verbo - Verb ID: Identificación del verbo - Video Engagement: Compromiso de vídeo - Video Event: Evento de vídeo - Video Id: Identificación del vídeo - Video Name: Nombre del vídeo - Video Name With Location: Nombre del video con ubicación - Video Performance: Rendimiento de vídeo - Video Title: Titulo del Video - Video name: Nombre del vídeo - Viz Type: Tipo de visualización - Watched Video Segments: Segmentos de vídeo vistos - Watches Per Video: Relojes por video - XBlock Data JSON: XBloque de datos JSON - Year of Birth: Año de nacimiento - audit: auditoría - honor: honor - registered: registrado - unregistered: no registrado - verified: verificado - xAPI Events Over Time: Eventos xAPI a lo largo del tiempo - xAPI Events Over Time v2: Eventos xAPI a lo largo del tiempo v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -es_ES: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtre - estos resultados seleccionando varias opciones en el panel de filtros.
-
Select a course from the Filters panel to populate these charts.
:
Seleccione - un curso del panel Filtros para completar estos gráficos.
-
Select a problem from the Filters panel to populate the charts.
:
Seleccione - un problema del panel Filtros para completar los gráficos.
-
Select a video from the Filters panel to populate these charts.
:
Seleccione - un video del panel Filtros para completar estos gráficos.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Un recuento del número de altas y bajas por día. Los estudiantes pueden inscribirse - y cancelar su inscripción varias veces; en este cuadro se contará cada inscripción - y cancelación de inscripción individual. - Action: Acción - Action Cluster: Grupo de acción - Action Count: Recuento de acciones - Action Date: Fecha de acción - Active: Activo - Active Users Over Time v2: Usuarios activos a lo largo del tiempo v2 - Active Users Per Organization: Usuarios activos por organización - Actor ID: Identificación del actor - Actor IDs over time: ID de actores a lo largo del tiempo - Actor Id: Identificación del actor - Answers Chosen: Respuestas elegidas - Attempts: Intentos - Bio: Biografía - COUNT(*): CONTAR(*) - CSS: CSS - Cache Timeout: Tiempo de espera de caché - Certification Details: Detalles de certificación - Certified By: Certificado por - Changed By Fk: cambiado por fk - Changed On: Cambiado en - Chart Count: Recuento de gráficos - Chart showing the number of Superset actions taken by each user over the selected time period.: Gráfico - que muestra la cantidad de acciones de Superconjunto realizadas por cada usuario - durante el período de tiempo seleccionado. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Gráfico - que muestra la cantidad de acciones de Superconjunto realizadas en cada gráfico - en el período de tiempo seleccionado. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Gráfico - que muestra la cantidad de acciones de Superconjunto realizadas en cada panel - en el período de tiempo seleccionado. - Chart showing the number of registered users over the selected time period.: Gráfico - que muestra el número de usuarios registrados durante el período de tiempo seleccionado. - Charts by Type: Gráficos por tipo - City: Ciudad - ClickHouse: Haga clic en casa - ClickHouse metrics: Métricas de ClickHouse - Count of charts created in Superset over the selected time period.: Recuento de - gráficos creados en Superset durante el período de tiempo seleccionado. - Count of dashboards created in Superset over the selected time period.: Recuento - de paneles creados en Superset durante el período de tiempo seleccionado. - Count of the various types of charts created in Superset over the selected time period.: Recuento - de los distintos tipos de gráficos creados en Superset durante el período de tiempo - seleccionado. - Count of unique users who performed an action in Superset over the selected time period.: Recuento - de usuarios únicos que realizaron una acción en Superset durante el período de - tiempo seleccionado. - Count over time of unique users who performed an action in Superset over the selected time period.: Cuente - a lo largo del tiempo de usuarios únicos que realizaron una acción en Superset - durante el período de tiempo seleccionado. - Country: País - Course Data JSON: Datos del curso JSON - Course End: Finalización del curso - Course Enrollment: Inscripción al curso - Course Enrollments Over Time: Inscripciones a cursos a lo largo del tiempo - Course Grade (out of 100%): Calificación del curso (sobre 100%) - Course Grade Distribution: Distribución de calificaciones del curso - Course ID: ID del curso - Course Key: Clave del Curso - Course Key Short: Clave del curso corta - Course Name: Nombre del curso - Course Run: El curso se desarrollará en - Course Start: Comienzo del curso - Course name: Nombre del curso - Course run: Versión del curso - Courses: Cursos - Courses Per Organization: Cursos por organización - Courseware: Contenidos - Created: Creado - Created By Fk: Creado por fk - Created On: Creado en - Currently Enrolled Learners Per Day: Estudiantes actualmente inscritos por día - Dashboard Count: Recuento del panel - Dashboard ID: ID del panel - Dashboard Status: Estado del panel - Dashboard Title: Título del panel - Datasource ID: ID de fuente de datos - Datasource Name: Nombre de fuente de datos - Datasource Type: Tipo de fuente de datos - Description: Descripción - Display Name: Nombre para mostrar - Distinct forum users: Usuarios distintos del foro - Distribution Of Attempts: Distribución de intentos - Distribution Of Hints Per Correct Answer: Distribución de sugerencias por respuesta - correcta - Distribution Of Problem Grades: Distribución de calificaciones de problemas - Distribution Of Responses: Distribución de respuestas - Dump ID: ID de volcado - Duration (Seconds): Duración (segundos) - Edited On: Editado el - Email: Correo electrónico - Emission Time: Tiempo de emisión - Enrollment End: Fin de inscripción - Enrollment Events Per Day: Eventos de inscripción por día - Enrollment Mode: Modo de Inscripción - Enrollment Start: Inicio de Inscripción - Enrollment Status: Estado de inscripción - Enrollment Status Date: Estado de inscripción Fecha - Enrollments: Inscripciones - Enrollments By Enrollment Mode: Inscripciones por modalidad de inscripción - Enrollments By Type: Inscripciones por tipo - Entity Name: Nombre de la entidad - Event ID: ID de evento - Event String: Cadena de evento - Event Time: Hora del evento - Event type: Tipo de evento - Events per course: Eventos por curso - External ID Type: Tipo de identificación externa - External Url: URL externa - External User ID: ID de usuario externo - Fail Login Count: Recuento de inicios de sesión fallidos - First Name: Nombre - Forum Interaction: Interacción en el foro - Gender: Género - Goals: Objetivos - Grade Bucket: Cuchara de grado - Grade Type: Tipo de grado - Help: Ayuda - Hints / Answer Displayed Before Correct Answer Chosen: Sugerencias/respuesta mostradas - antes de elegir la respuesta correcta - ID: Identificación - Id: Identificación - Instance Health: Estado de la instancia - Instructor Dashboard: Panel de control del profesor - Is Managed Externally: Se gestiona externamente - JSON Metadata: Metadatos JSON - Language: Idioma - Last Login: Último acceso - Last Name: Apellido - Last Received Event: Último evento recibido - Last Saved At: Último guardado en - Last Saved By Fk: Guardado por última vez por Fk - Last course syncronized: Último curso sincronizado - Level of Education: Nivel de estudios - Location: Ubicación - Login Count: Conteo de inicios de sesión - Mailing Address: Dirección postal - Memory Usage (KB): Uso de memoria (KB) - Meta: Meta - Modified: Modificado - Most Active Courses Per Day: Cursos más activos por día - Most-used Charts: Gráficos más utilizados - Most-used Dashboards: Paneles de control más utilizados - Name: Nombre - Number Of Attempts To Find Correct Answer: Número de intentos para encontrar la - respuesta correcta - Number Of Students: Numero de estudiantes - Number Of Users: Número de usuarios - Number Of Viewers / Views: Número de espectadores/vistas - Number of Answers Displayed: Número de respuestas mostradas - Number of Hints Displayed: Número de sugerencias mostradas - Number of Posts: Número de publicaciones - Number of Users / Uses: Número de Usuarios / Usos - Number of Views / Viewers: Número de vistas/espectadores - Number of users: Número de usuarios - Object ID: ID de objeto - Object Type: Tipo de objeto - Operator Dashboard: Panel del operador - Order: Pedido - Organization: Organización - Organizations: Organizaciones - Parameters: Parámetros - Password: Contraseña - Percentage Grade: Calificación porcentual - Perm: Permanente - Phone Number: Número de teléfono - Position Json: Posición Json - Posts per user: Publicaciones por usuario - Problem Engagement: Compromiso con el problema - Problem Id: Identificación del problema - Problem Name: Nombre del ejercicio - Problem Name With Location: Nombre del problema con ubicación - Problem Performance: Rendimiento del problema - Problem name: Nombre del problema - Profile Image Uploaded At: Imagen de perfil cargada en - Published: Publicado - Query: Consulta - Query Context: Contexto de consulta - Query performance: Rendimiento de consultas - Question Title: Título de la pregunta - Read Rows: Leer filas - Repeat Views: Repetir vistas - Responses: Respuestas - Responses Per Problem: Respuestas por problema - Scaled Score: Resultado en escala - Schema Perm: Esquema permanente - Seconds Of Video: Segundos de vídeo - Segment Start: Inicio del segmento - Self Paced: A tu propio ritmo - Slice ID: ID de segmento - Slice Name: Nombre del sector - Slowest ClickHouse Queries: Consultas de ClickHouse más lentas - Slug: Indicador - Started At: Empezó a las - State: Estado de la tarea - Students: Estudiantes - Success: Finalizado con éxito - Superset: Superserie - Superset Active Users: Usuarios activos de superconjunto - Superset Active Users Over Time: Superconjunto de usuarios activos a lo largo del - tiempo - Superset Registered Users Over Time: Superconjunto de usuarios registrados a lo - largo del tiempo - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : El total acumulado de alumnos inscritos únicos según su estado de inscripción - al final de cada día. Si un alumno estuvo inscrito anteriormente, pero abandonó - el curso desde entonces, no se cuenta a partir de la fecha en que lo dejó. Si - se reinscriben en el curso se volverán a contabilizar. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : El recuento actual de inscripciones activas según su tipo de inscripción más reciente, - por lo que si un alumno pasó de Auditoría a Verificado, solo se contará una vez - como Verificado. Los estudiantes que se han dado de baja en el curso no se cuentan. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: La - distribución de calificaciones de un curso, sobre 100%. Las calificaciones se - agrupan en rangos del 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : El número de estudiantes que han respondido a una pregunta y si alguna vez han - respondido correctamente. Los estudiantes pueden responder algunas preguntas varias - veces, pero este cuadro cuenta a cada estudiante solo una vez por pregunta. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Este gráfico muestra el número de veces que se mostraron sugerencias (incluida - la respuesta en sí) para cada alumno que finalmente respondió correctamente al - problema. Si el problema no tenía configurada ninguna sugerencia o respuesta, - este cuadro agrupará a todos en "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Este cuadro ayuda a comprender cuántos alumnos utilizan las transcripciones o - los subtítulos del vídeo. Si el vídeo no tiene transcripciones ni subtítulos, - el gráfico estará vacío. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Este gráfico muestra cuántos alumnos únicos han visto cada vídeo y cuántas visualizaciones - repetidas ha obtenido cada uno. Si un vídeo nunca se ha reproducido, no aparecerá - en este gráfico. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Este gráfico muestra la frecuencia con la que los alumnos seleccionan una respuesta - o una combinación de respuestas (para selección múltiple). Algunos problemas permiten - a los alumnos enviar una respuesta más de una vez; en ese caso, este cuadro incluirá - todas las respuestas. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Este cuadro muestra la cantidad de intentos que los estudiantes tuvieron que hacer - antes de obtener la respuesta correcta al problema. Esto solo cuenta a los estudiantes - que finalmente respondieron correctamente. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Este gráfico muestra la cantidad de estudiantes que obtuvieron puntajes dentro - de un cierto porcentaje de puntos para este problema. Para los problemas de aprobación/reprobación, - solo mostrará los rangos de porcentaje más bajo y más alto. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Este gráfico muestra qué partes de un vídeo se ven más y cuáles se vuelven a ver - con mayor frecuencia. Cada segmento representa 5 segundos del vídeo. - Time Last Dumped: Hora del último dumping - Time Range: Intervalo de tiempo - Time range: Intervalo de tiempo - Total Actors v2: Actores totales v2 - Total Hints: Pistas totales - Total Organizations: Total de organizaciones - Total Views: Vistas totales - Total plays: Jugadas totales - Total transcript usage: Uso total de transcripciones - Transcripts / Captions Per Video: Transcripciones / subtítulos por video - UUID: UUID - Unique Transcript Users: Usuarios únicos de transcripción - Unique Viewers: Espectadores únicos - Unique Watchers: Vigilantes únicos - Unique actors: Actores únicos - User Actions: Acciones del usuario - User ID: Identificador de usuario - User Name: Nombre de usuario - User Registration Date: Fecha de registro de usuario - Username: Nombre de usuario - Value: Valor - Verb: Verbo - Verb ID: Identificación del verbo - Video Engagement: Compromiso de vídeo - Video Event: Evento de vídeo - Video Id: Identificación del vídeo - Video Name: Nombre del vídeo - Video Name With Location: Nombre del video con ubicación - Video Performance: Rendimiento de vídeo - Video Title: Titulo del Video - Video name: Nombre del vídeo - Viz Type: Tipo de visualización - Watched Video Segments: Segmentos de vídeo vistos - Watches Per Video: Relojes por video - XBlock Data JSON: XBloque de datos JSON - Year of Birth: Año de nacimiento - audit: auditoría - honor: honor - registered: registrado - unregistered: no registrado - verified: verificado - xAPI Events Over Time: Eventos xAPI a lo largo del tiempo - xAPI Events Over Time v2: Eventos xAPI a lo largo del tiempo v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -fa: - ? '## Help
* [Aspects Reference](https://docs.openedx.org/projects/openedx-aspects/page/reference/learner_groups_dashboard.html)
* - [Superset Resources](https://github.com/apache/superset#resources)
' - : '## کمک
* [مرجع جنبه‌ها](https://docs.openedx.org/projects/openedx-aspects/page/reference/learner_groups_dashboard.html)
- * [منابع Superset] (https://github.com/apache/superset#resources)
' - '% Correct': ٪ درست - '% Incorrect': ٪ غلط - Action: اقدام - Action Count: تعداد اقدام - Action Date: تاریخ اقدام - Active: فعال - Active Courses: دوره‌های فعال - Active Learners: فراگیران فعال - Active Users Per Organization: کاربران فعال در هرسازمان - Actor ID: شناسۀ بازیگر - Actor Id: شناسۀ بازیگر - Actors Count: تعداد بازیگران - At-Risk Learners: فراگیران در معرض خطر - Attempted All Problems: تمام مسائل، امتحان شد - Attempted At Least One Problem: تلاش برای حداقل یک مسئله - Attempts: تلاش‌ها - Avg Attempts: میانگین تلاش‌ها - Avg Course Grade: میانگین نمرۀ دوره - Block ID: شناسۀ انسداد - Block Id: شناسۀ بلوک - COUNT(*): شمردن(*) - Changed By Fk: تغییر توسط Fk - Changed On: اعمال تغییر در - Chart showing the number of Superset actions taken on each chart in the selected time period.: نمودار - تعداد اقدامات ابرمجموعه در هر نمودار در بازۀ زمانی انتخاب‌شده را نشان می دهد. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: نمودار - تعداد اقدامات ابرمجموعه در هر پیشخوان در بازۀ زمانی انتخاب‌شده را نشان می‌دهد. - Chart showing the number of registered users over the selected time period.: نموداری - که تعداد کاربران ثبت‌نام شده را در بازۀ زمانی انتخاب‌شده نشان می‌دهد. - ClickHouse: کلیک هاوس - ClickHouse metrics: معیارهای کلیک هاوس - Content Level: سطح محتوا - Correct Attempts: تلاش‌های صحیح - Count: تعداد - Count of unique users who performed an action in Superset over the selected time period.: تعداد - کاربران منحصربه‌فردی که در بازۀ زمانی انتخاب‌شده اقدامی را در ابرمجموعه انجام - دادند. - Count over time of unique users who performed an action in Superset over the selected time period.: تعداد - کاربران منحصربه‌فردی که در بازۀ زمانی انتخاب‌شده در ابرمجموعه اقداماتی انجام داده‌اند - در طول زمان بشمارید. - Course Dashboard: پیشخوان دوره - Course Data JSON: داده‌های دوره JSON - Course End: پایان دوره - Course Enrollment Mode Status Cnt: وضعیت حالت ثبت‌نام دوره Cnt - Course Enrollments Over Time: ثبت‌نام دوره در طول زمان - Course Grade: نمرۀ درس - Course Grade %: درصدنمرۀ درس - Course ID: شناسۀ دوره - Course Information: اطلاعات دوره - Course Key: کلید دوره - Course Key Short: کلید دوره کوتاه - Course Name: نام دوره - Course Order: سفارش دوره - Course Run: اجرای دوره - Course Start: شروع دوره - Course grade: نمرۀ درس - Course name: نام دوره - Course run: اجرای دوره - Courses: دوره‌های آموزشی - Courses Cnt: دروس Cnt - Courses Per Organization: دوره‌های آموزشی در هر سازمان - Created: ایجادشده - Created By Fk: ایجادشده توسط Fk - Created On: ایجاد شد - Cumulative Enrollments by Track: ثبت‌نام تجمعی بر اساس مسیر - Cumulative Interactions: تعاملات تجمعی - Current Active Enrollments By Mode: ثبت‌نام های فعال فعلی بر اساس حالت - Current Enrollees: ثبت‌نام‌کنندگان فعلی - Currently Enrolled Users: کاربران ثبت‌نام شده در حال حاضر - Dashboard ID: شناسۀ پیشخوان - Dashboard Status: وضعیت پیشخوان - Dashboard Title: عنوان پیشخوان - Datasource ID: شناسۀ منبع داده - Datasource Name: نام منبع داده - Datasource Type: نوع منبع داده - Date: تاریخ - Description: شرح - Display Name: نام نمایشی - Distribution of Course Grades: توزیع نمرات دروس - Distribution of Current Course Grade: توزیع نمرۀ درس فعلی - Dump ID: شناسۀ روبرداری - Duration (Seconds): مدت زمان (ثانیه) - Email: پست الکترونیک - Emission Day: روز انتشار - Emission Hour: ساعت انتشار - Emission Time: زمان انتشار - Engagement: اشتغال - Enrolled At: ثبت‌نام در - Enrollees by Enrollment Track: ثبت‌نام‌کنندگان بر اساس مسیر ثبت‌نام - Enrollees per Enrollment Track: ثبت‌نام‌کنندگان در هر مسیر ثبت‌نام - Enrollment: ثبت‌نام - Enrollment Date: تاریخ ثبت‌نام - Enrollment Dates: تاریخ‌های ثبت‌نام - Enrollment End: پایان ثبت‌نام - Enrollment Mode: حالت ثبت‌نام - Enrollment Start: آغاز ثبت‌نام - Enrollment Status: وضعیت ثبت‌نام - Enrollment Track: مسیر ثبت‌نام - Enrollment status: وضعیت ثبت‌نام - Enrollment track: مسیر ثبت‌نام - Enrollments: ثبت‌نام‌ها - Event Activity: فعالیت رویداد - Event ID: شناسۀ رویداد - Event String: رشتۀ رویداد - Event Time: زمان رویداد - Events Cnt: رویدادها Cnt - Fail Login Count: تعداد ورود ناموفق - First Name: نام کوچک - Full Views: مشاهدۀ کامل - Grade Bucket: سطل درجه - Grade Range: دامنۀ درجه - Grade range: دامنۀ درجه - Graded: درجه‌بندی شد - Graded Learners: فراگیران درجه‌بندی‌شده - Help: راهنما - Http User Agent: عامل کاربر Http - Id: شناسه - Incorrect Attempts: تلاش‌های نادرست - Individual Learner: فراگیر انفرادی - Instance Health: سلامتی نمونه - Interaction Type: نوع تعامل - Last Course Published: آخرین دورۀ انتشار - Last Login: آخرین ورود - Last Name: نام خانوادگی - Last Received Event: آخرین رویداد دریافت‌شده - Last Visit Date: تاریخ آخرین بازدید - Last Visited: آخرین بازدید - Last course syncronized: آخرین دورۀ هماهنگ‌شده - Learner Summary: خلاصۀ فراگیر - Learners: فراگیران - Learners with Passing Grade: فراگیران با نمرۀ قبولی - Login Count: تعداد ورود - Median Attempts: تلاش‌های متوسط - Median Course Grade: میانۀ نمرۀ درس - Memory Usage (KB): استفاده از حافظه (کیلوبایت) - Memory Usage Mb: استفاده از حافظه مگابایت - Modified: اصلاح‌شده - Most-used Charts: نمودارهای پرمصرف - Most-used Dashboards: پیشخوان‌های پرمصرف - Name: نام - Number of Learners: تعداد فراگیران - Number of Learners who Attempted the Problem: تعداد فراگیرانی که برای حل مسئله تلاش - کردند - Object ID: شناسۀ شیء - Object Type: نوع شیء - Operator Dashboard: پیشخوان متصدی - Org: سازمان - Organization: سازمان - Organizations: سازمان‌ها - Overview: بررسی اجمالی - Page Count: تعداد صفحات - Page Engagement Over Time: تعامل صفحه در طول زمان - Page Engagement per Section: تعامل صفحه در هربخش - Page Engagement per Section/Subsection: تعامل صفحه در هر بخش/زیربخش - Page Engagement per Subsection: تعامل صفحه در هر زیربخش - Pages: صفحات - Partial Views: نماهای جزئی - Partial and Full Video Views: بازدیدهای جزئی و کامل ویدیو - Passed/Failed: قبول/رد - Password: گذرواژه - Performance: کارایی - Problem Attempts: دفعات تلاش برای حل مسئله - Problem Engagement per Section: درگیری مسئله در هربخش - Problem Engagement per Section/Subsection: درگیری مسئله در هر بخش/فرع - Problem Engagement per Subsection: درگیری مسئله در هر زیربخش - Problem ID: شناسۀ مسئله - Problem Id: شناسۀ مسئله - Problem Link: پیوند مسئله - Problem Location and Name: محل و نام مسئله - Problem Name: نام مسئله - Problem Name With Location: نام مسئله با مکان - Problem Results: نتایج مسئله - Problems: مسائل - Query: پرس‌وجو - Query Duration Ms: 'مدت‌زمان استعلام ' - Query performance: عملکرد پرس‌وجو - Read Rows: خواندن ردیف‌ها - Repeat Views: تکرار نماها - Responses: پاسخ‌ها - Result: نتیجه - Result Rows: ردیف‌های نتیجه - Section Location and Name: محل و نام بخش - Section Name: نام بخش - Section Subsection Video Engagement: بخش زیربخش تعامل ویدیویی - Section Summary: خلاصۀ بخش - Section With Name: بخش با نام - Section with name: بخش با نام - Section/Subsection Name: نام بخش/فرع - Section/Subsection Page Enggagement: بخش/زیربخش تعامل با صفحه - Section/Subsection Problem Engagement: بخش/فرعی تعامل مسئله - Section/Subsection Video Engagement: بخش/زیربخش تعامل ویدیویی - Segment Range: دامنۀ بخش - Segment Start: شروع بخش - Self Paced: خودگام - Slice ID: شناسۀ برش - Slice Name: نام برش - Slowest ClickHouse Queries: کندترین پرس‌وجوهای ClickHouse - Start Position: نقطۀ شروع - Started At: آغاز در - Subsection Location and Name: قسمت فرعی مکان و نام - Subsection Name: نام زیر بخش - Subsection Summary: خلاصۀ زیربخش - Subsection With Name: زیربخش با نام - Subsection with name: زیربخش با نام - Success: موفقیت - Superset: ابرمجموعه - Superset Active Users: کاربران فعال ابرمجموعه - Superset Active Users Over Time: کاربران فعال ابرمجموعه در طول زمان - Superset Registered Users Over Time: کاربران ثبت‌نام‌شده ابرمجموعه در طول زمان - Tables: جداول - Time Grain: زمان هسته - Time Last Dumped: زمان آخرین روبرداری - Time Range: محدودۀ زمانی - Total Courses: مجموع دوره‌ها - Total Organizations: کل سازمان‌ها - Total Views: کل بازدیدها - Unique Viewers: بینندگان منحصربه‌فرد - User ID: شناسۀ کاربر - User Info: اطلاعات کاربر - User Name: نام کاربری - User Registration Date: تاریخ ثبت‌نام کاربر - Username: نام کاربری - Value: ارزش - Verb: فعل - Verb ID: شناسۀ فعل - Video Duration: مدت‌زمان ویدیو - Video Engagement: تعامل ویدیویی - Video Engagement per Section: تعامل ویدیویی در هربخش - Video Engagement per Section/Subsection: تعامل ویدیویی در هر بخش/زیربخش - Video Engagement per Subsection: تعامل ویدیویی در هر زیربخش - Video Event: رویداد ویدیویی - Video ID: شناسۀ ویدیو - Video Link: پیوند ویدیو - Video Location and Name: مکان و نام ویدیو - Video Name: نام ویدیو - Video Name With Location: نام ویدیو با موقعیت مکانی - Video Position: جایگاه ویدیو - Video Segment Count: تعداد بخش ویدیو - Videos: ویدیوها - Viewed All Pages: مشاهدۀ همۀ صفحات - Viewed All Videos: همه ویدیوها مشاهده شد - Viewed At Least One Page: حداقل یک صفحه مشاهده شده‌است - Viewed At Least One Video: حداقل یک ویدیو مشاهده شده‌است - Visited On: بازدیدشده در - Visualization Bucket: قسمت مصورسازی - Watched Entire Video: کل ویدیو مشاهده شد - Watched Segment Count: تعداد بخش مشاهده‌شده - Watched Video Segments: بخش‌های ویدیویی مشاهده شده - audit: حسابرسی - failed: ناموفق - graded: ارزیابی‌شده - honor: با احترام - passed: رد - registered: ثبت شده - section_subsection_name: section_subsection_name - section_subsection_page_engagement: section_subsection_page_engagement - section_subsection_problem_engagement: section_subsection_problem_engagement - ungraded: غیرمدرج - unregistered: ثبت نشده - verified: تاییدشده - '{{ASPECTS_COURSE_OVERVIEW_HELP_MARKDOWN}}': '{{ASPECTS_COURSE_OVERVIEW_HELP_MARKDOWN}}' - '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}': '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -fr_CA: - '': '' - ' The number of learners who completed at least one graded problem in the course.': " Le - nombre d'apprenants qui ont résolu au moins un problème noté dans le cours." - Action: Action - Action Count: Nombre d'actions - Action Date: Date d'intervention - Active: Actif - Active Courses: Cours actifs - Active Learners: Apprenants actifs - Active Users Per Organization: Utilisateurs actifs par organisation - Actor ID: ID de l'acteur - Actor Id: Identifiant de l'acteur - COUNT(*): COMPTER(*) - Changed By Fk: Modifié par Fk - Changed On: Modifié le - Chart showing the number of Superset actions taken on each chart in the selected time period.: Graphique - montrant le nombre d'actions Superset effectuées sur chaque graphique au cours - de la période sélectionnée. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Graphique - montrant le nombre d'actions Superset effectuées sur chaque tableau de bord au - cours de la période sélectionnée. - Chart showing the number of registered users over the selected time period.: Graphique - montrant le nombre d'utilisateurs enregistrés sur la période sélectionnée. - ClickHouse: ClickHouse - ClickHouse metrics: Métriques ClickHouse - Count of unique users who performed an action in Superset over the selected time period.: Nombre - d'utilisateurs uniques qui ont effectué une action dans Superset au cours de la - période sélectionnée. - Count over time of unique users who performed an action in Superset over the selected time period.: Nombre - au fil du temps des utilisateurs uniques qui ont effectué une action dans Superset - au cours de la période sélectionnée. - Course Dashboard V1: Tableau de bord du cours V1 - Course Data JSON: Données de cours JSON - Course End: Fin du cours - Course Enrollments Over Time: Inscriptions aux cours au fil du temps - Course ID: ID de cours - Course Information: Informations sur les cours - Course Key: Clé de cours - Course Key Short: Clé de cours courte - Course Name: Nom du cours - Course Run: Session de cours - Course Start: Début du cours - Course name: Nom du cours - Course run: Session de cours - Courses: Cours - Courses Per Organization: Cours par organisation - Created: Créé - Created By Fk: Créé par Fk - Created On: Créé le - Cumulative Enrollments by Track: Inscriptions cumulées par filière - Cumulative Interactions: Interactions cumulatives - Current Active Enrollments By Mode: Inscriptions actives actuelles par mode - Current Enrollees: Inscrits actuels - Dashboard ID: ID du tableau de bord - Dashboard Status: État du tableau de bord - Dashboard Title: Titre du tableau de bord - Datasource ID: ID de source de données - Datasource Name: Nom de la source de données - Datasource Type: Type de source de données - Date: Date - Description: Description - Display Name: Nom d'affichage - Distribution of Current Course Grade: Répartition de la note actuelle du cours - Dump ID: ID de dumping - Duration (Seconds): Durée (secondes) - Email: Courriel - Emission Time: Temps d'émission - Engagement: Engagement - Enrollees per Enrollment Track: Inscrits par filière d'inscription - Enrollment: Inscriptions - Enrollment End: Fin des inscriptions - Enrollment Mode: Mode d'inscription - Enrollment Start: Début des inscriptions - Enrollment Status: État de l'inscription - Enrollments: Inscriptions - Event Activity: Activité événementielle - Event ID: ID d'événement - Event String: Chaîne d'événement - Event Time: Heure de l'évènement - Evolution of engagement: Évolution de l'engagement - External User ID: ID utilisateur externe - Fail Login Count: Nombre d'échecs de connexion - First Name: Prénom - Graded: Noté - Help: Aide - Id: Identifiant - Individual Learner Dashboard: Tableau de bord de l'apprenant individuel - Individual Learner Reports: Rapports individuels des apprenants - ? Information is needed on which section and subsection each problem is located - in and whether or not these are graded. I have already sent the request and the - report is being worked on. - : Des informations sont nécessaires sur la section et la sous-section dans lesquelles - se trouve chaque problème et si celles-ci sont notées ou non. J'ai déjà envoyé - la demande et le rapport est en cours d'élaboration. - Instance Health: État de santé de l'instance - Last Login: Dernière connexion - Last Name: Nom - Last Received Event: Dernier événement reçu - Last course syncronized: Dernier cours synchronisé - Learner Groups Reports: Rapports sur les groupes d'apprenants - Learner group dashboard: Tableau de bord du groupe d'apprenants - Learners with Passing Grade: Apprenants ayant obtenu la note de passage - Login Count: Nombre de connexions - Memory Usage (KB): Utilisation de la mémoire (Ko) - Modified: Modifié - Most-used Charts: Graphiques les plus utilisés - Most-used Dashboards: Tableaux de bord les plus utilisés - Name: Nom - Number Of Viewers / Views: Nombre d'observateurs / de vues - Object ID: ID d'objet - Object Type: Type d'objet - Operator Dashboard: Tableau de bord de l'opérateur - Organization: Organisation - Organizations: Organisations - Page views per section/subsection: Pages vues par section/sous-section - Pages: Pages - Partial and full views per video: Vues partielles et complètes par vidéo - Password: Mot de passe - Performance: Performance - Problem Results: Résultats du problème - Problem interactions: Interactions problématiques - Problems: Problèmes - Problems attempted per section/subsection: Problèmes tentés par section/sous-section - Query: Requête - Query performance: Performances des requêtes - Read Rows: Lire les lignes - Repeat Views: Répéter les vues - Seconds Of Video: Secondes de vidéo - Section Name: Nom de la section - Section Summary: Résumé de la section - Section With Name: Section avec nom - Segment Start: Début du segment - Self Paced: À votre rythme - Slice ID: ID de tranche - Slice Name: Nom de la tranche - Slowest ClickHouse Queries: Requêtes ClickHouse les plus lentes - Started At: Commencé à - Subsection Name: Nom de la sous-section - Subsection Summary: Résumé de la sous-section - Subsection With Name: Sous-section avec nom - Superset: Superset - Superset Active Users: Utilisateurs actifs du surensemble - Superset Active Users Over Time: Surensemble des utilisateurs actifs au fil du temps - Superset Registered Users Over Time: Surensemble des utilisateurs enregistrés au - fil du temps - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Ce graphique montre quelles parties d'une vidéo sont les plus regardées et lesquelles - sont les plus regardées de nouveau. Chaque segment représente 5 secondes de la - vidéo. - Time Grain: Time Grain - Time Last Dumped: Heure du dernier dumping - Time Range: Intervalle de temps - Total Organizations: Total des organisations - Total Users: Nombre total d'utilisateurs - Total Views: Vues totales - Total plays: Nombre total de visionnements - Unique Viewers: Visionneurs uniques - Unique Watchers: Observateurs uniques - User ID: ID utilisateur - User Name: Nom d'utilisateur - User Registration Date: Date d'enregistrement de l'utilisateur - Username: Nom d'utilisateur - Value: Valeur - Verb: Verbe - Verb ID: ID du verbe - Video Duration: Durée de la vidéo - Video Event: Événement vidéo - Video ID: ID du vidéo - Video Name: Nom de la vidéo - Video Name With Location: Nom de la vidéo avec emplacement - Video Position: Emplacement de la vidéo - Video name: Nom de la vidéo - Video views by section/subsection: Vues vidéo par section/sous-section - Video views per section/subsection: Vues vidéo par section/sous-section - Videos: Vidéos - Visualization Bucket: Compartiment de visualisation - Watched Entire Video: J'ai regardé la vidéo en entier - Watched Segment Count: Nombre de segments surveillés - Watched Video Segments: Segments vidéo regardés - audit: Audit - honor: honneur - registered: inscrit - unregistered: non enregistré - verified: vérifié - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' - ⏲️ Use the ‘Time Grain’ filter to update the time frame intervals shown in the following graph(s): ⏲️ - Utilisez le filtre « Time Grain » pour mettre à jour les intervalles de temps - affichés dans le(s) graphique(s) suivant(s) -he: - '': '' -
Filter these results by selecting various options from the filters panel.
:
סנן תוצאות אלה על ידי בחירת אפשרויות שונות - מחלונית המסננים.
-
Select a course from the Filters panel to populate these charts.
:
בחר קורס מהחלונית מסננים כדי לאכלס תרשימים - אלה.
-
Select a problem from the Filters panel to populate the charts.
:
בחר בעיה מהחלונית מסננים כדי לאכלס את - התרשימים.
-
Select a video from the Filters panel to populate these charts.
:
בחר סרטון מהחלונית מסננים כדי לאכלס תרשימים - אלה.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : ספירה של מספר הנרשמים והביטולים ליום. לומדים יכולים להירשם ולבטל את ההרשמה מספר - פעמים, בתרשים זה כל הרשמה וביטול רישום בודדים ייספרו. - Action: פעולה - Action Cluster: אשכול פעולה - Action Count: ספירת פעולות - Action Date: תאריך פעולה - Active: פעיל - Active Users Over Time v2: משתמשים פעילים לאורך זמן v2 - Active Users Per Organization: משתמשים פעילים לכל ארגון - Actor ID: זיהוי שחקן - Actor IDs over time: תעודות שחקנים לאורך זמן - Actor Id: זיהוי שחקן - Answers Chosen: תשובות נבחרו - Attempts: נסיונות - Bio: ביו - COUNT(*): לספור(*) - CSS: CSS - Cache Timeout: זמן קצוב למטמון - Certification Details: פרטי הסמכה - Certified By: מוסמך על ידי - Changed By Fk: שונה על ידי Fk - Changed On: השתנה ב- - Chart Count: ספירת תרשים - Chart showing the number of Superset actions taken by each user over the selected time period.: תרשים - המציג את מספר פעולות Superset שנעשו על ידי כל משתמש במהלך תקופת הזמן שנבחרה. - Chart showing the number of Superset actions taken on each chart in the selected time period.: תרשים - המציג את מספר פעולות Superset שנעשו בכל תרשים בתקופת הזמן שנבחרה. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: תרשים - המציג את מספר פעולות Superset שנעשו בכל לוח מחוונים בתקופת הזמן שנבחרה. - Chart showing the number of registered users over the selected time period.: תרשים - המציג את מספר המשתמשים הרשומים במהלך תקופת הזמן שנבחרה. - Charts by Type: תרשימים לפי סוג - City: עיר - ClickHouse: קליקהאוס - ClickHouse metrics: מדדי ClickHouse - Count of charts created in Superset over the selected time period.: ספירת התרשימים - שנוצרו ב-Superset במהלך תקופת הזמן שנבחרה. - Count of dashboards created in Superset over the selected time period.: ספירת לוחות - המחוונים שנוצרו ב-Superset במהלך תקופת הזמן שנבחרה. - Count of the various types of charts created in Superset over the selected time period.: ספירה - של סוגי התרשימים השונים שנוצרו ב-Superset במהלך תקופת הזמן שנבחרה. - Count of unique users who performed an action in Superset over the selected time period.: ספירת - המשתמשים הייחודיים שביצעו פעולה ב-Superset במהלך תקופת הזמן שנבחרה. - Count over time of unique users who performed an action in Superset over the selected time period.: ספירה - לאורך זמן של משתמשים ייחודיים שביצעו פעולה ב-Superset במהלך תקופת הזמן שנבחרה. - Country: מדינה - Course Data JSON: נתוני קורס JSON - Course End: סיום הקורס - Course Enrollment: הרשמה לקורס - Course Enrollments Over Time: נרשמים לקורסים לאורך זמן - Course Grade (out of 100%): ציון בקורס (מתוך 100%) - Course Grade Distribution: חלוקת ציוני הקורס - Course ID: מזהה הקורס - Course Key: מפתח קורס - Course Key Short: מפתח קורס קצר - Course Name: שם הקורס - Course Run: הרצת קורס - Course Start: תחילת קורס - Course name: שם הקורס - Course run: ריצת הקורס - Courses: קורסים - Courses Per Organization: קורסים לפי ארגון - Courseware: לומדה - Created: נוצר - Created By Fk: נוצר על ידי Fk - Created On: נוצר ב - Currently Enrolled Learners Per Day: לומדים רשומים כרגע ליום - Dashboard Count: ספירת לוח המחוונים - Dashboard ID: מזהה לוח מחוונים - Dashboard Status: סטטוס לוח המחוונים - Dashboard Title: כותרת לוח המחוונים - Datasource ID: מזהה מקור נתונים - Datasource Name: שם מקור הנתונים - Datasource Type: סוג מקור נתונים - Description: תיאור - Display Name: שם לתצוגה - Distinct forum users: משתמשי פורום מובהקים - Distribution Of Attempts: הפצת ניסיונות - Distribution Of Hints Per Correct Answer: הפצת רמזים לכל תשובה נכונה - Distribution Of Problem Grades: חלוקת ציוני הבעיה - Distribution Of Responses: הפצת תגובות - Dump ID: מזהה dump - Duration (Seconds): משך (שניות) - Edited On: נערך בתאריך - Email: דואר אלקטרוני - Emission Time: זמן פליטה - Enrollment End: סוף ההרשמה - Enrollment Events Per Day: אירועי הרשמה ליום - Enrollment Mode: מצב הרשמה - Enrollment Start: התחלת הרשמה - Enrollment Status: סטטוס הרשמה - Enrollment Status Date: תאריך סטטוס ההרשמה - Enrollments: הרשמות - Enrollments By Enrollment Mode: הרשמות לפי מצב הרשמה - Enrollments By Type: נרשמים לפי סוג - Entity Name: שם ישות - Event ID: מזהה אירוע - Event String: מחרוזת אירועים - Event Time: זמן אירוע - Event type: סוג אירוע - Events per course: אירועים לכל קורס - External ID Type: סוג זיהוי חיצוני - External Url: כתובת אתר חיצונית - External User ID: מזהה משתמש חיצוני - Fail Login Count: ספירת התחברות נכשלה - First Name: שם פרטי - Forum Interaction: אינטראקציה בפורום - Gender: מגדר - Goals: יעדים - Grade Bucket: דלי כיתה - Grade Type: סוג ציון - Help: עזרה - Hints / Answer Displayed Before Correct Answer Chosen: רמזים / תשובה מוצגת לפני - שנבחרה תשובה נכונה - ID: מספר מזהה - Id: תְעוּדַת זֶהוּת - Instance Health: בריאות למשל - Instructor Dashboard: לוח בקרה של המדריך - Is Managed Externally: מנוהל חיצונית - JSON Metadata: מטא נתונים של JSON - Language: שפה - Last Login: כניסה אחרונה - Last Name: שם משפחה - Last Received Event: אירוע שהתקבל לאחרונה - Last Saved At: נשמר לאחרונה ב- - Last Saved By Fk: נשמר לאחרונה על ידי Fk - Last course syncronized: הקורס האחרון מסונכרן - Level of Education: רמת השכלה - Location: מיקום - Login Count: ספירת כניסה - Mailing Address: כתובת למשלוח דואר - Memory Usage (KB): שימוש בזיכרון (KB) - Meta: מטא - Modified: שונה - Most Active Courses Per Day: הקורסים הפעילים ביותר ביום - Most-used Charts: התרשימים הנפוצים ביותר - Most-used Dashboards: לוחות המחוונים הנפוצים ביותר - Name: שם - Number Of Attempts To Find Correct Answer: מספר הניסיונות למצוא תשובה נכונה - Number Of Students: מספר תלמידים - Number Of Users: מספר משתמשים - Number Of Viewers / Views: מספר צופים / צפיות - Number of Answers Displayed: מספר התשובות המוצגות - Number of Hints Displayed: מספר הרמזים המוצגים - Number of Posts: מספר פוסטים - Number of Users / Uses: מספר משתמשים / שימושים - Number of Views / Viewers: מספר צפיות / צופים - Number of users: מספר משתמשים - Object ID: מזהה אובייקט - Object Type: סוג אובייקט - Operator Dashboard: לוח מחוונים למפעיל - Order: הזמנה - Organization: ארגון - Organizations: ארגונים - Parameters: פרמטרים - Password: סיסמה - Percentage Grade: ציון אחוז - Perm: פרם - Phone Number: מספר טלפון - Position Json: עמדת Json - Posts per user: פוסטים לכל משתמש - Problem Engagement: מעורבות בעיה - Problem Id: מזהה בעיה - Problem Name: שם בעיה - Problem Name With Location: שם בעיה עם מיקום - Problem Performance: בעיה בביצועים - Problem name: שם הבעיה - Profile Image Uploaded At: תמונת פרופיל הועלתה ב - Published: פורסם - Query: שאילתא - Query Context: הקשר שאילתה - Query performance: ביצועי שאילתות - Question Title: כותרת שאלה - Read Rows: קרא שורות - Repeat Views: צפיות חוזרות - Responses: תגובות - Responses Per Problem: תגובות לכל בעיה - Scaled Score: ציון בקנה מידה - Schema Perm: סכימה פרם - Seconds Of Video: שניות של וידאו - Segment Start: התחלת פלח - Self Paced: קצב אישי - Slice ID: מזהה פרוסה - Slice Name: שם פרוסה - Slowest ClickHouse Queries: שאילתות קליקהאוס האיטיות ביותר - Slug: שם קצר למאמר - Started At: התחיל ב - State: מדינה - Students: סטודנטים - Success: הצלחה - Superset: Superset - Superset Active Users: Superset משתמשים פעילים - Superset Active Users Over Time: הגדר משתמשים פעילים לאורך זמן - Superset Registered Users Over Time: Superset משתמשים רשומים לאורך זמן - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : הסכום המצטבר של לומדים ייחודיים רשומים בהתבסס על מצב ההרשמה שלהם בסוף כל יום. - אם לומד נרשם בעבר, אך עזב את הקורס מאז, הם לא נספרים מהתאריך שבו עזב. אם הם נרשמים - מחדש לקורס הם ייספרו שוב. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : הספירה הנוכחית של ההרשמות הפעילות לפי סוג ההרשמה האחרון שלהם, כך שאם לומד שודרג - מביקורת לאמת, הוא ייספר רק פעם אחת כמאומת. לומדים שביטלו את ההרשמה לקורס אינם - נספרים. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: חלוקת - הציונים לקורס, מתוך 100%. הציונים מקובצים בטווחים של 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : מספר התלמידים שהגיבו לשאלה, והאם אי פעם ענו נכון. תלמידים יכולים לענות על כמה - שאלות מספר פעמים, אבל תרשים זה סופר כל תלמיד רק פעם אחת לשאלה. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : תרשים זה מציג ספירות של מספר הפעמים שרמזים (כולל הצגת התשובה עצמה) הוצגו עבור - כל לומד שבסופו של דבר ענה נכון על הבעיה. אם לבעיה לא הייתה רמז או תצוגת תשובות - מוגדרת תרשים זה יקבץ את כולם ל-"0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : תרשים זה עוזר להבין כמה לומדים משתמשים בתמלילים או בכתוביות של הסרטון. אם אין - לסרטון תמלילים או כיתובים, התרשים יהיה ריק. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : תרשים זה מראה כמה לומדים ייחודיים צפו בכל סרטון, וכמה צפיות חוזרות כל אחד קיבל. - אם סרטון מעולם לא הושמע הוא לא יופיע בתרשים זה. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : תרשים זה מראה באיזו תדירות תשובה או שילוב של תשובות (לבחירה מרובה) נבחרים על ידי - הלומדים. בעיות מסוימות מאפשרות ללומדים להגיש תגובה יותר מפעם אחת, תרשים זה יכלול - את כל התגובות במקרה זה. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : תרשים זה מציג את מספר הניסיונות שהתלמידים היו צריכים לעשות לפני שהם מקבלים את - התשובה הנכונה לבעיה. זה סופר רק תלמידים שבסופו של דבר ענו נכון. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'תרשים זה מציג את מספר התלמידים שקיבלו ציון בתוך אחוז מסוים של נקודות עבור בעיה - זו. עבור בעיות שהן עוברות/נכשלות, היא תציג רק את טווחי האחוזים הנמוכים והגבוהים - ביותר. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : תרשים זה מראה אילו חלקים בסרטון הם הנצפים ביותר, ואילו הם נצפים מחדש ביותר. כל - קטע מייצג 5 שניות מהסרטון. - Time Last Dumped: הזמן האחרון שנשפך - Time Range: טווח זמן - Time range: טווח זמן - Total Actors v2: סך השחקנים v2 - Total Hints: סה"כ רמזים - Total Organizations: סך הכל ארגונים - Total Views: סך כל הצפיות - Total plays: סך הכל הצגות - Total transcript usage: סך השימוש בתמליל - Transcripts / Captions Per Video: תמלול / כיתובים לכל סרטון - UUID: UUID - Unique Transcript Users: משתמשי תמלול ייחודיים - Unique Viewers: צופים ייחודיים - Unique Watchers: Watchers ייחודי - Unique actors: שחקנים ייחודיים - User Actions: פעולות משתמש - User ID: מזהה משתמש - User Name: שם משתמש - User Registration Date: תאריך רישום משתמש - Username: שם משתמש - Value: ערך - Verb: פועל - Verb ID: מזהה פועל - Video Engagement: מעורבות וידאו - Video Event: אירוע וידאו - Video Id: מזהה וידאו - Video Name: שם הסרטון - Video Name With Location: שם סרטון עם מיקום - Video Performance: ביצועי וידאו - Video Title: כותרת סרטון - Video name: שם הסרטון - Viz Type: כלומר סוג - Watched Video Segments: צפו בקטעי וידאו - Watches Per Video: צפייה בכל סרטון - XBlock Data JSON: XBlock Data JSON - Year of Birth: שנת לידה - audit: בְּדִיקָה - honor: כָּבוֹד - registered: רשום - unregistered: לא רשום - verified: מְאוּמָת - xAPI Events Over Time: אירועי xAPI לאורך זמן - xAPI Events Over Time v2: xAPI אירועים לאורך זמן v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -hi: - '': '' -
Filter these results by selecting various options from the filters panel.
:
फ़िल्टर - पैनल से विभिन्न विकल्पों का चयन करके इन परिणामों को फ़िल्टर करें।
-
Select a course from the Filters panel to populate these charts.
:
इन - चार्टों को भरने के लिए फ़िल्टर पैनल से एक पाठ्यक्रम चुनें।
-
Select a problem from the Filters panel to populate the charts.
:
चार्ट - को पॉप्युलेट करने के लिए फ़िल्टर पैनल से एक समस्या का चयन करें।
-
Select a video from the Filters panel to populate these charts.
:
इन - चार्टों को भरने के लिए फ़िल्टर पैनल से एक वीडियो चुनें।
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : प्रति दिन नामांकन और गैर-नामांकन की संख्या की गणना। शिक्षार्थी कई बार नामांकन - और नामांकन रद्द कर सकते हैं, इस चार्ट में प्रत्येक व्यक्तिगत नामांकन और नामांकन - को गिना जाएगा। - Action: कार्य - Action Cluster: एक्शन क्लस्टर - Action Count: क्रिया गणना - Action Date: कार्रवाई दिनांक - Active: क्रियाशील - Active Users Over Time v2: समय के साथ सक्रिय उपयोगकर्ता v2 - Active Users Per Organization: प्रति संगठन सक्रिय उपयोगकर्ता - Actor ID: अभिनेता आईडी - Actor IDs over time: समय के साथ अभिनेता आईडी - Actor Id: अभिनेता आई.डी - Answers Chosen: उत्तर चुना गया - Attempts: प्रयास करना - Bio: जैव - COUNT(*): गिनती करना(*) - CSS: सीएसएस - Cache Timeout: कैश टाइमआउट - Certification Details: प्रमाणीकरण विवरण - Certified By: द्वारा प्रमाणित - Changed By Fk: एफके द्वारा बदला गया - Changed On: पर बदला गया - Chart Count: चार्ट गणना - Chart showing the number of Superset actions taken by each user over the selected time period.: चयनित - समयावधि में प्रत्येक उपयोगकर्ता द्वारा की गई सुपरसेट कार्रवाइयों की संख्या दर्शाने - वाला चार्ट। - Chart showing the number of Superset actions taken on each chart in the selected time period.: चयनित - समयावधि में प्रत्येक चार्ट पर की गई सुपरसेट कार्रवाइयों की संख्या दर्शाने वाला - चार्ट। - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: चयनित - समयावधि में प्रत्येक डैशबोर्ड पर की गई सुपरसेट कार्रवाइयों की संख्या दर्शाने वाला - चार्ट। - Chart showing the number of registered users over the selected time period.: चयनित - समयावधि में पंजीकृत उपयोगकर्ताओं की संख्या दर्शाने वाला चार्ट। - Charts by Type: प्रकार के अनुसार चार्ट - City: शहर - ClickHouse: क्लिकहाउस - ClickHouse metrics: क्लिकहाउस मेट्रिक्स - Count of charts created in Superset over the selected time period.: चयनित समयावधि - में सुपरसेट में बनाए गए चार्ट की संख्या। - Count of dashboards created in Superset over the selected time period.: चयनित समयावधि - में सुपरसेट में बनाए गए डैशबोर्ड की संख्या। - Count of the various types of charts created in Superset over the selected time period.: चयनित - समयावधि में सुपरसेट में बनाए गए विभिन्न प्रकार के चार्ट की गणना। - Count of unique users who performed an action in Superset over the selected time period.: चयनित - समयावधि में सुपरसेट में कोई कार्रवाई करने वाले अद्वितीय उपयोगकर्ताओं की संख्या। - Count over time of unique users who performed an action in Superset over the selected time period.: चयनित - समयावधि में सुपरसेट में कोई कार्रवाई करने वाले अद्वितीय उपयोगकर्ताओं के समय की - गणना करें। - Country: देश - Course Data JSON: पाठ्यक्रम डेटा JSON - Course End: कोर्स का अंत - Course Enrollment: पाठ्यक्रम नामांकन - Course Enrollments Over Time: समय के साथ पाठ्यक्रम नामांकन - Course Grade (out of 100%): कोर्स ग्रेड (100% में से) - Course Grade Distribution: पाठ्यक्रम ग्रेड वितरण - Course ID: पाठ्यक्रम आईडी - Course Key: कोर्स की - Course Key Short: पाठ्यक्रम कुंजी लघु - Course Name: पाठ्यक्रम का नाम - Course Run: कोर्स रन - Course Start: कोर्स शुरू - Course name: कोर्स का नाम - Course run: कोर्स चलाना - Courses: पाठ्यक्रम - Courses Per Organization: प्रति संगठन पाठ्यक्रम - Courseware: पाठ्यक्रम - Created: बनाया गया - Created By Fk: एफके द्वारा बनाया गया - Created On: पर बनाया - Currently Enrolled Learners Per Day: वर्तमान में प्रति दिन नामांकित शिक्षार्थी - Dashboard Count: डैशबोर्ड गणना - Dashboard ID: डैशबोर्ड आईडी - Dashboard Status: डैशबोर्ड स्थिति - Dashboard Title: डैशबोर्ड शीर्षक - Datasource ID: डेटास्रोत आईडी - Datasource Name: डेटास्रोत का नाम - Datasource Type: डेटास्रोत प्रकार - Description: विवरण - Display Name: नाम प्रदर्शित करें - Distinct forum users: विशिष्ट मंच उपयोगकर्ता - Distribution Of Attempts: प्रयासों का वितरण - Distribution Of Hints Per Correct Answer: प्रति सही उत्तर पर संकेत का वितरण - Distribution Of Problem Grades: समस्या ग्रेड का वितरण - Distribution Of Responses: प्रतिक्रियाओं का वितरण - Dump ID: डंप आईडी - Duration (Seconds): अवधि (सेकंड) - Edited On: पर संपादित - Email: ई-मेल - Emission Time: उत्सर्जन समय - Enrollment End: नामांकन समाप्ति - Enrollment Events Per Day: प्रति दिन नामांकन कार्यक्रम - Enrollment Mode: नामाकंन प्रणाली - Enrollment Start: नामांकन प्रारंभ - Enrollment Status: नामांकन की स्थिति - Enrollment Status Date: नामांकन स्थिति दिनांक - Enrollments: नामाकंन - Enrollments By Enrollment Mode: नामांकन मोड द्वारा नामांकन - Enrollments By Type: प्रकार के अनुसार नामांकन - Entity Name: इकाई नाम - Event ID: इवेंट आईडी - Event String: इवेंट स्ट्रिंग - Event Time: इवेंट फक्त - Event type: घटना प्रकार - Events per course: प्रति पाठ्यक्रम घटनाएँ - External ID Type: बाहरी आईडी प्रकार - External Url: बाहरी यूआरएल - External User ID: बाहरी उपयोगकर्ता आईडी - Fail Login Count: विफल लॉगिन गिनती - First Name: पहला नाम - Forum Interaction: फोरम इंटरेक्शन - Gender: लिंग - Goals: लक्ष्य - Grade Bucket: ग्रेड बाल्टी - Grade Type: ग्रेड प्रकार - Help: सहायता - Hints / Answer Displayed Before Correct Answer Chosen: सही उत्तर चुने जाने से पहले - संकेत/उत्तर प्रदर्शित - ID: आईडी - Id: पहचान - Instance Health: उदाहरण स्वास्थ्य - Instructor Dashboard: प्रशिक्षक डैशबोर्ड - Is Managed Externally: बाह्य रूप से प्रबंधित किया जाता है - JSON Metadata: JSON मेटाडेटा - Language: 'भाषा ' - Last Login: पिछला लॉगिन - Last Name: उपनाम - Last Received Event: अंतिम प्राप्त घटना - Last Saved At: अंतिम बार सहेजा गया - Last Saved By Fk: अंतिम बार Fk द्वारा सहेजा गया - Last course syncronized: अंतिम पाठ्यक्रम सिंक्रनाइज़ किया गया - Level of Education: शिक्षा का स्तर - Location: स्‍थान - Login Count: लॉगिन गिनती - Mailing Address: डाक - पता - Memory Usage (KB): मेमोरी उपयोग (KB) - Meta: मेटा - Modified: संशोधित - Most Active Courses Per Day: प्रति दिन सर्वाधिक सक्रिय पाठ्यक्रम - Most-used Charts: सर्वाधिक उपयोग किये जाने वाले चार्ट - Most-used Dashboards: सर्वाधिक उपयोग किये जाने वाले डैशबोर्ड - Name: नाम - Number Of Attempts To Find Correct Answer: सही उत्तर खोजने के प्रयासों की संख्या - Number Of Students: छात्रों की संख्या - Number Of Users: उपयोगकर्ता की संख्या - Number Of Viewers / Views: दर्शकों/दृश्यों की संख्या - Number of Answers Displayed: प्रदर्शित उत्तरों की संख्या - Number of Hints Displayed: प्रदर्शित संकेतों की संख्या - Number of Posts: पदों की संख्या - Number of Users / Uses: उपयोगकर्ताओं/उपयोगों की संख्या - Number of Views / Viewers: देखे गए/दर्शकों की संख्या - Number of users: उपयोगकर्ता की संख्या - Object ID: ऑब्जेक्ट आईडी - Object Type: वस्तु प्रकार - Operator Dashboard: ऑपरेटर डैशबोर्ड - Order: क्रम - Organization: 'संस्‍थान ' - Organizations: संगठनों - Parameters: पैरामीटर - Password: पासवर्ड - Percentage Grade: प्रतिशत ग्रेड - Perm: पेर्म - Phone Number: फ़ोन नंबर - Position Json: स्थिति जेसन - Posts per user: प्रति उपयोगकर्ता पोस्ट - Problem Engagement: समस्या संलग्नता - Problem Id: समस्या आईडी - Problem Name: समस्या का नाम - Problem Name With Location: स्थान के साथ समस्या का नाम - Problem Performance: समस्या प्रदर्शन - Problem name: समस्या का नाम - Profile Image Uploaded At: प्रोफ़ाइल छवि यहां अपलोड की गई - Published: प्रकाशित - Query: सवाल - Query Context: प्रश्न प्रसंग - Query performance: क्वेरी प्रदर्शन - Question Title: प्रश्न शीर्षक - Read Rows: पंक्तियाँ पढ़ें - Repeat Views: दोहराएँ दृश्य - Responses: जवाब - Responses Per Problem: प्रति समस्या प्रतिक्रियाएँ - Scaled Score: स्केल किया गया स्कोर - Schema Perm: स्कीमा पर्म - Seconds Of Video: वीडियो के सेकंड - Segment Start: खंड प्रारंभ - Self Paced: स्वयं को रखा - Slice ID: स्लाइस आईडी - Slice Name: स्लाइस का नाम - Slowest ClickHouse Queries: सबसे धीमी क्लिकहाउस क्वेरीज़ - Slug: स्लग - Started At: इस समय पर शुरू किया - State: राज्य - Students: छात्र - Success: सफल - Superset: सुपरसेट - Superset Active Users: सुपरसेट सक्रिय उपयोगकर्ता - Superset Active Users Over Time: समय के साथ सक्रिय उपयोगकर्ताओं को सुपरसेट करें - Superset Registered Users Over Time: समय के साथ सुपरसेट पंजीकृत उपयोगकर्ता - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : प्रत्येक दिन के अंत में उनकी नामांकन स्थिति के आधार पर अद्वितीय नामांकित शिक्षार्थियों - का संचयी कुल। यदि किसी शिक्षार्थी को पहले नामांकित किया गया था, लेकिन उसने पाठ्यक्रम - छोड़ दिया है, तो उन्हें पाठ्यक्रम छोड़ने की तिथि के अनुसार नहीं गिना जाएगा। यदि - वे पाठ्यक्रम में पुनः नामांकन कराते हैं तो उनकी गणना पुनः की जायेगी। - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : सक्रिय नामांकन की वर्तमान गणना उनके नवीनतम नामांकन प्रकार के अनुसार, इसलिए यदि - कोई शिक्षार्थी ऑडिट से सत्यापित में अपग्रेड हुआ है तो उन्हें केवल एक बार सत्यापित - के रूप में गिना जाएगा। जिन शिक्षार्थियों ने पाठ्यक्रम में नामांकन नहीं कराया है, - उनकी गिनती नहीं की जाती है। - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: किसी - पाठ्यक्रम के लिए 100% में से ग्रेड का वितरण। ग्रेडों को 10% की श्रेणियों में समूहीकृत - किया गया है। - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : किसी प्रश्न का उत्तर देने वाले विद्यार्थियों की संख्या, और क्या उन्होंने कभी सही - उत्तर दिया है। छात्र कुछ प्रश्नों का उत्तर कई बार दे सकते हैं, लेकिन यह चार्ट - प्रत्येक छात्र को प्रति प्रश्न केवल एक बार ही गिनता है। - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : यह चार्ट प्रत्येक शिक्षार्थी के लिए संकेत (स्वयं उत्तर प्रदर्शित करने सहित) प्रदर्शित - किए जाने की संख्या को प्रदर्शित करता है, जिसने अंततः समस्या का सही उत्तर दिया। - यदि समस्या में कोई संकेत या उत्तर प्रदर्शन कॉन्फ़िगर नहीं था तो यह चार्ट सभी को - "0" में समूहित कर देगा। - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : यह चार्ट यह समझने में मदद करता है कि कितने शिक्षार्थी वीडियो के ट्रांसक्रिप्ट - या बंद कैप्शन का उपयोग कर रहे हैं। यदि वीडियो में प्रतिलेख या कैप्शन नहीं हैं - तो चार्ट खाली होगा। - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : यह चार्ट दिखाता है कि कितने अद्वितीय शिक्षार्थियों ने प्रत्येक वीडियो देखा है, - और प्रत्येक को कितने बार दोबारा देखा गया है। यदि कोई वीडियो कभी नहीं चलाया गया - है तो वह इस चार्ट में दिखाई नहीं देगा। - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : यह चार्ट दिखाता है कि शिक्षार्थियों द्वारा कितनी बार उत्तर या उत्तरों का संयोजन - (बहु-चयन के लिए) चुना जाता है। कुछ समस्याएं शिक्षार्थियों को एक से अधिक बार प्रतिक्रिया - प्रस्तुत करने की अनुमति देती हैं, इस चार्ट में उस मामले में सभी प्रतिक्रियाएं - शामिल होंगी। - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : यह चार्ट उन प्रयासों की संख्या दिखाता है जो छात्रों को समस्या का सही उत्तर पाने - से पहले करने की आवश्यकता थी। इसमें केवल उन विद्यार्थियों की गणना की जाती है जिन्होंने - अंततः सही उत्तर दिया। - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'यह चार्ट उन छात्रों की संख्या दिखाता है जिन्होंने इस समस्या के लिए एक निश्चित - प्रतिशत अंक के भीतर अंक प्राप्त किए हैं। उत्तीर्ण/असफल समस्याओं के लिए यह केवल - न्यूनतम और उच्चतम प्रतिशत श्रेणियां दिखाएगा। ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : यह चार्ट दिखाता है कि वीडियो के कौन से हिस्से सबसे ज्यादा देखे गए और कौन से हिस्से - सबसे ज्यादा बार देखे गए। प्रत्येक खंड वीडियो के 5 सेकंड का प्रतिनिधित्व करता है। - Time Last Dumped: टाइम लास्ट डंप्ड - Time Range: समय सीमा - Time range: समय सीमा - Total Actors v2: कुल अभिनेता v2 - Total Hints: कुल संकेत - Total Organizations: कुल संगठन - Total Views: कुल दृश्य - Total plays: कुल नाटक - Total transcript usage: कुल प्रतिलेख उपयोग - Transcripts / Captions Per Video: प्रति वीडियो प्रतिलेख/कैप्शन - UUID: UUID - Unique Transcript Users: अद्वितीय प्रतिलेख उपयोगकर्ता - Unique Viewers: अद्वितीय दर्शक - Unique Watchers: अनोखे पहरेदार - Unique actors: अद्वितीय अभिनेता - User Actions: उपयोगकर्ता क्रियाएँ - User ID: यूज़र आईडी - User Name: उपयोगकर्ता नाम - User Registration Date: उपयोगकर्ता पंजीकरण तिथि - Username: उपयोगकर्ता - Value: मूल्य - Verb: क्रिया - Verb ID: क्रिया आईडी - Video Engagement: वीडियो सगाई - Video Event: वीडियो इवेंट - Video Id: वीडियो आईडी - Video Name: वीडियो का नाम - Video Name With Location: स्थान के साथ वीडियो का नाम - Video Performance: वीडियो प्रदर्शन - Video Title: वीडियो शीषर्क - Video name: वीडियो का नाम - Viz Type: अर्थात प्रकार - Watched Video Segments: वीडियो खंड देखे गए - Watches Per Video: प्रति वीडियो देखे जाने की संख्या - XBlock Data JSON: एक्सब्लॉक डेटा JSON - Year of Birth: जन्म का वर्ष - audit: अंकेक्षण - honor: सम्मान - registered: दर्ज कराई - unregistered: अपंजीकृत - verified: सत्यापित - xAPI Events Over Time: समय के साथ xAPI घटनाएँ - xAPI Events Over Time v2: समय के साथ xAPI इवेंट v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -id: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filter - these results by selecting various options from the filters panel.
-
Select a course from the Filters panel to populate these charts.
:
Select - a course from the Filters panel to populate these charts.
-
Select a problem from the Filters panel to populate the charts.
:
Select - a problem from the Filters panel to populate the charts.
-
Select a video from the Filters panel to populate these charts.
:
Select - a video from the Filters panel to populate these charts.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - Action: Action - Action Cluster: Action Cluster - Action Count: Action Count - Action Date: Action Date - Active: Active - Active Users Over Time v2: Active Users Over Time v2 - Active Users Per Organization: Active Users Per Organization - Actor ID: Actor ID - Actor IDs over time: Actor IDs over time - Actor Id: Actor Id - Answers Chosen: Answers Chosen - Attempts: Attempts - Bio: Bio - COUNT(*): COUNT(*) - CSS: CSS - Cache Timeout: Cache Timeout - Certification Details: Certification Details - Certified By: Certified By - Changed By Fk: Changed By Fk - Changed On: Changed On - Chart Count: Chart Count - Chart showing the number of Superset actions taken by each user over the selected time period.: Chart - showing the number of Superset actions taken by each user over the selected time - period. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Chart - showing the number of Superset actions taken on each chart in the selected time - period. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Chart - showing the number of Superset actions taken on each dashboard in the selected - time period. - Chart showing the number of registered users over the selected time period.: Chart - showing the number of registered users over the selected time period. - Charts by Type: Charts by Type - City: City - ClickHouse: ClickHouse - ClickHouse metrics: ClickHouse metrics - Count of charts created in Superset over the selected time period.: Count of charts - created in Superset over the selected time period. - Count of dashboards created in Superset over the selected time period.: Count of - dashboards created in Superset over the selected time period. - Count of the various types of charts created in Superset over the selected time period.: Count - of the various types of charts created in Superset over the selected time period. - Count of unique users who performed an action in Superset over the selected time period.: Count - of unique users who performed an action in Superset over the selected time period. - Count over time of unique users who performed an action in Superset over the selected time period.: Count - over time of unique users who performed an action in Superset over the selected - time period. - Country: Country - Course Data JSON: Course Data JSON - Course End: Course End - Course Enrollment: Course Enrollment - Course Enrollments Over Time: Course Enrollments Over Time - Course Grade (out of 100%): Course Grade (out of 100%) - Course Grade Distribution: Course Grade Distribution - Course ID: Course ID - Course Key: Course Key - Course Key Short: Course Key Short - Course Name: Course Name - Course Run: Course Run - Course Start: Course Start - Course name: Course name - Course run: Course run - Courses: Courses - Courses Per Organization: Courses Per Organization - Courseware: Courseware - Created: Created - Created By Fk: Created By Fk - Created On: Created On - Currently Enrolled Learners Per Day: Currently Enrolled Learners Per Day - Dashboard Count: Dashboard Count - Dashboard ID: Dashboard ID - Dashboard Status: Dashboard Status - Dashboard Title: Dashboard Title - Datasource ID: Datasource ID - Datasource Name: Datasource Name - Datasource Type: Datasource Type - Description: Description - Display Name: Display Name - Distinct forum users: Distinct forum users - Distribution Of Attempts: Distribution Of Attempts - Distribution Of Hints Per Correct Answer: Distribution Of Hints Per Correct Answer - Distribution Of Problem Grades: Distribution Of Problem Grades - Distribution Of Responses: Distribution Of Responses - Dump ID: Dump ID - Duration (Seconds): Duration (Seconds) - Edited On: Edited On - Email: Email - Emission Time: Emission Time - Enrollment End: Enrollment End - Enrollment Events Per Day: Enrollment Events Per Day - Enrollment Mode: Enrollment Mode - Enrollment Start: Enrollment Start - Enrollment Status: Enrollment Status - Enrollment Status Date: Enrollment Status Date - Enrollments: Enrollments - Enrollments By Enrollment Mode: Enrollments By Enrollment Mode - Enrollments By Type: Enrollments By Type - Entity Name: Entity Name - Event ID: Event ID - Event String: Event String - Event Time: Event Time - Event type: Event type - Events per course: Events per course - External ID Type: External ID Type - External Url: External Url - External User ID: External User ID - Fail Login Count: Fail Login Count - First Name: First Name - Forum Interaction: Forum Interaction - Gender: Gender - Goals: Goals - Grade Bucket: Grade Bucket - Grade Type: Grade Type - Help: Help - Hints / Answer Displayed Before Correct Answer Chosen: Hints / Answer Displayed - Before Correct Answer Chosen - ID: ID - Id: Id - Instance Health: Instance Health - Instructor Dashboard: Instructor Dashboard - Is Managed Externally: Is Managed Externally - JSON Metadata: JSON Metadata - Language: Language - Last Login: Last Login - Last Name: Last Name - Last Received Event: Last Received Event - Last Saved At: Last Saved At - Last Saved By Fk: Last Saved By Fk - Last course syncronized: Last course syncronized - Level of Education: Level of Education - Location: Location - Login Count: Login Count - Mailing Address: Mailing Address - Memory Usage (KB): Memory Usage (KB) - Meta: Meta - Modified: Modified - Most Active Courses Per Day: Most Active Courses Per Day - Most-used Charts: Most-used Charts - Most-used Dashboards: Most-used Dashboards - Name: Name - Number Of Attempts To Find Correct Answer: Number Of Attempts To Find Correct Answer - Number Of Students: Number Of Students - Number Of Users: Number Of Users - Number Of Viewers / Views: Number Of Viewers / Views - Number of Answers Displayed: Number of Answers Displayed - Number of Hints Displayed: Number of Hints Displayed - Number of Posts: Number of Posts - Number of Users / Uses: Number of Users / Uses - Number of Views / Viewers: Number of Views / Viewers - Number of users: Number of users - Object ID: Object ID - Object Type: Object Type - Operator Dashboard: Operator Dashboard - Order: Order - Organization: Organization - Organizations: Organizations - Parameters: Parameters - Password: Password - Percentage Grade: Percentage Grade - Perm: Perm - Phone Number: Phone Number - Position Json: Position Json - Posts per user: Posts per user - Problem Engagement: Problem Engagement - Problem Id: Problem Id - Problem Name: Problem Name - Problem Name With Location: Problem Name With Location - Problem Performance: Problem Performance - Problem name: Problem name - Profile Image Uploaded At: Profile Image Uploaded At - Published: Published - Query: Query - Query Context: Query Context - Query performance: Query performance - Question Title: Question Title - Read Rows: Read Rows - Repeat Views: Repeat Views - Responses: Responses - Responses Per Problem: Responses Per Problem - Scaled Score: Scaled Score - Schema Perm: Schema Perm - Seconds Of Video: Seconds Of Video - Segment Start: Segment Start - Self Paced: Self Paced - Slice ID: Slice ID - Slice Name: Slice Name - Slowest ClickHouse Queries: Slowest ClickHouse Queries - Slug: Slug - Started At: Started At - State: State - Students: Students - Success: Success - Superset: Superset - Superset Active Users: Superset Active Users - Superset Active Users Over Time: Superset Active Users Over Time - Superset Registered Users Over Time: Superset Registered Users Over Time - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: The - distribution of grades for a course, out of 100%. Grades are grouped in ranges - of 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - Time Last Dumped: Time Last Dumped - Time Range: Time Range - Time range: Time range - Total Actors v2: Total Actors v2 - Total Hints: Total Hints - Total Organizations: Total Organizations - Total Views: Total Views - Total plays: Total plays - Total transcript usage: Total transcript usage - Transcripts / Captions Per Video: Transcripts / Captions Per Video - UUID: UUID - Unique Transcript Users: Unique Transcript Users - Unique Viewers: Unique Viewers - Unique Watchers: Unique Watchers - Unique actors: Unique actors - User Actions: User Actions - User ID: User ID - User Name: User Name - User Registration Date: User Registration Date - Username: Username - Value: Value - Verb: Verb - Verb ID: Verb ID - Video Engagement: Video Engagement - Video Event: Video Event - Video Id: Video Id - Video Name: Video Name - Video Name With Location: Video Name With Location - Video Performance: Video Performance - Video Title: Video Title - Video name: Video name - Viz Type: Viz Type - Watched Video Segments: Watched Video Segments - Watches Per Video: Watches Per Video - XBlock Data JSON: XBlock Data JSON - Year of Birth: Year of Birth - audit: audit - honor: honor - registered: registered - unregistered: unregistered - verified: verified - xAPI Events Over Time: xAPI Events Over Time - xAPI Events Over Time v2: xAPI Events Over Time v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -it_IT: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtra - questi risultati selezionando varie opzioni dal pannello dei filtri.
-
Select a course from the Filters panel to populate these charts.
:
Seleziona - un corso dal pannello Filtri per popolare questi grafici.
-
Select a problem from the Filters panel to populate the charts.
:
Seleziona - un problema dal pannello Filtri per popolare i grafici.
-
Select a video from the Filters panel to populate these charts.
:
Seleziona - un video dal pannello Filtri per popolare questi grafici.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Conteggio del numero di iscrizioni e cancellazioni giornaliere. Gli studenti possono - iscriversi e annullare l'iscrizione più volte, in questa tabella verrà conteggiata - ogni singola iscrizione e cancellazione. - Action: Azione - Action Cluster: Gruppo di azioni - Action Count: Conteggio delle azioni - Action Date: Data dell'azione - Active: Attivo - Active Users Over Time v2: Utenti attivi nel tempo v2 - Active Users Per Organization: Utenti attivi per organizzazione - Actor ID: Identificativo dell'attore - Actor IDs over time: ID degli attori nel tempo - Actor Id: Attore Id - Answers Chosen: Risposte scelte - Attempts: 'Tentativi ' - Bio: Bio - COUNT(*): CONTARE(*) - CSS: CSS - Cache Timeout: Timeout della cache - Certification Details: Dettagli della certificazione - Certified By: Certificato da - Changed By Fk: Modificato da Fk - Changed On: Modificato - Chart Count: Conteggio grafico - Chart showing the number of Superset actions taken by each user over the selected time period.: Grafico - che mostra il numero di azioni Superset eseguite da ciascun utente nel periodo - di tempo selezionato. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Grafico - che mostra il numero di azioni Superset eseguite su ciascun grafico nel periodo - di tempo selezionato. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Grafico - che mostra il numero di azioni Superset eseguite su ciascuna dashboard nel periodo - di tempo selezionato. - Chart showing the number of registered users over the selected time period.: Grafico - che mostra il numero di utenti registrati nel periodo di tempo selezionato. - Charts by Type: Grafici per tipo - City: Città - ClickHouse: Fare clic su Casa - ClickHouse metrics: Metriche ClickHouse - Count of charts created in Superset over the selected time period.: Conteggio dei - grafici creati in Superset nel periodo di tempo selezionato. - Count of dashboards created in Superset over the selected time period.: Conteggio - dei dashboard creati in Superset nel periodo di tempo selezionato. - Count of the various types of charts created in Superset over the selected time period.: Conteggio - dei vari tipi di grafici creati in Superset nel periodo di tempo selezionato. - Count of unique users who performed an action in Superset over the selected time period.: Conteggio - di utenti unici che hanno eseguito un'azione in Superset nel periodo di tempo - selezionato. - Count over time of unique users who performed an action in Superset over the selected time period.: Conteggio - nel tempo degli utenti unici che hanno eseguito un'azione in Superset nel - periodo di tempo selezionato. - Country: Paese - Course Data JSON: Dati del corso JSON - Course End: Data fine corso - Course Enrollment: Iscrizione al corso - Course Enrollments Over Time: Iscrizioni ai corsi nel tempo - Course Grade (out of 100%): Voto del corso (su 100%) - Course Grade Distribution: Distribuzione dei voti del corso - Course ID: ID del corso - Course Key: 'Chiave del corso ' - Course Key Short: Breve chiave del corso - Course Name: Nome Corso - Course Run: 'Edizione del corso ' - Course Start: 'Inizio del corso ' - Course name: Nome del corso - Course run: Corsa del corso - Courses: Corsi - Courses Per Organization: Corsi per organizzazione - Courseware: Materiale didattico - Created: Creato - Created By Fk: Creato da Fk - Created On: Creato - Currently Enrolled Learners Per Day: Studenti attualmente iscritti al giorno - Dashboard Count: Conteggio del dashboard - Dashboard ID: Identificativo del cruscotto - Dashboard Status: Stato del dashboard - Dashboard Title: Titolo della dashboard - Datasource ID: ID origine dati - Datasource Name: Nome dell'origine dati - Datasource Type: Tipo di origine dati - Description: Descrizione - Display Name: Mostra il nome - Distinct forum users: Utenti distinti del forum - Distribution Of Attempts: Distribuzione dei tentativi - Distribution Of Hints Per Correct Answer: Distribuzione dei suggerimenti per risposta - corretta - Distribution Of Problem Grades: Distribuzione dei voti problematici - Distribution Of Responses: Distribuzione delle risposte - Dump ID: Scarica ID - Duration (Seconds): Durata (secondi) - Edited On: Modificato il - Email: Email - Emission Time: Tempo di emissione - Enrollment End: Fine iscrizione - Enrollment Events Per Day: Eventi di iscrizione al giorno - Enrollment Mode: Tipo di iscrizione - Enrollment Start: Inizio iscrizione - Enrollment Status: Stato di iscrizione - Enrollment Status Date: Data dello stato di iscrizione - Enrollments: Iscrizioni - Enrollments By Enrollment Mode: Iscrizioni per modalità di iscrizione - Enrollments By Type: Iscrizioni per tipologia - Entity Name: Nome dell'entità - Event ID: ID evento - Event String: Stringa di eventi - Event Time: Orario dell'evento - Event type: Tipo di evento - Events per course: Eventi per corso - External ID Type: Tipo ID esterno - External Url: URL esterno - External User ID: ID utente esterno - Fail Login Count: Conteggio accessi non riusciti - First Name: Nome - Forum Interaction: Interazione del forum - Gender: Sesso - Goals: Obiettivi - Grade Bucket: Benna di grado - Grade Type: Tipo di grado - Help: Aiuto - Hints / Answer Displayed Before Correct Answer Chosen: Suggerimenti/risposta visualizzati - prima della scelta della risposta corretta - ID: ID - Id: Id - Instance Health: Salute dell'istanza - Instructor Dashboard: 'Dashboard Istruttore ' - Is Managed Externally: È gestito esternamente - JSON Metadata: Metadati JSON - Language: Lingua - Last Login: Ultimo accesso - Last Name: Cognome - Last Received Event: Ultimo evento ricevuto - Last Saved At: Ultimo salvataggio in - Last Saved By Fk: Ultimo salvataggio da Fk - Last course syncronized: Ultimo corso sincronizzato - Level of Education: Titolo di studio - Location: Posizione - Login Count: Conteggio accessi - Mailing Address: Indirizzo Postale - Memory Usage (KB): Utilizzo della memoria (KB) - Meta: Meta - Modified: Modificata - Most Active Courses Per Day: Corsi più attivi al giorno - Most-used Charts: Grafici più utilizzati - Most-used Dashboards: Dashboard più utilizzate - Name: Nome - Number Of Attempts To Find Correct Answer: Numero di tentativi per trovare la risposta - corretta - Number Of Students: Numero di studenti - Number Of Users: Numero di utenti - Number Of Viewers / Views: Numero di spettatori/visualizzazioni - Number of Answers Displayed: Numero di risposte visualizzate - Number of Hints Displayed: Numero di suggerimenti visualizzati - Number of Posts: Numero di post - Number of Users / Uses: Numero di utenti/usi - Number of Views / Viewers: Numero di visualizzazioni/spettatori - Number of users: numero di utenti - Object ID: Identificativo dell'oggetto - Object Type: Tipo di oggetto - Operator Dashboard: Cruscotto dell'operatore - Order: Ordine - Organization: Organizzazione - Organizations: Organizzazioni - Parameters: Parametri - Password: Password - Percentage Grade: Voto percentuale - Perm: Perm - Phone Number: Numero di telefono - Position Json: Posizione Json - Posts per user: Post per utente - Problem Engagement: Coinvolgimento del problema - Problem Id: ID problema - Problem Name: Nome del problema - Problem Name With Location: Nome del problema con posizione - Problem Performance: Prestazioni problematiche - Problem name: Nome del problema - Profile Image Uploaded At: Immagine del profilo caricata su - Published: Pubblicato - Query: Domanda - Query Context: Contesto della query - Query performance: Interrogare le prestazioni - Question Title: Titolo della domanda - Read Rows: Leggi righe - Repeat Views: Ripeti visualizzazioni - Responses: Risposte - Responses Per Problem: Risposte per problema - Scaled Score: Punteggio in scala - Schema Perm: Schema Perm - Seconds Of Video: Secondi Di Video - Segment Start: Inizio segmento - Self Paced: Apprendimento autonomo - Slice ID: ID della fetta - Slice Name: Nome della fetta - Slowest ClickHouse Queries: Query ClickHouse più lente - Slug: Slug - Started At: Iniziato alle - State: Stato - Students: Studenti - Success: Successo - Superset: Superinsieme - Superset Active Users: Superimposta utenti attivi - Superset Active Users Over Time: Superimposta utenti attivi nel tempo - Superset Registered Users Over Time: Superset utenti registrati nel tempo - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Il totale cumulativo degli studenti iscritti unici in base al loro stato di iscrizione - alla fine di ogni giornata. Se uno studente era iscritto in precedenza, ma da - allora ha abbandonato il corso, non viene conteggiato a partire dalla data in - cui ha lasciato il corso. Se si iscrivono nuovamente al corso verranno conteggiati - nuovamente. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Il conteggio attuale delle iscrizioni attive in base al tipo di iscrizione più - recente, quindi se uno studente è passato da Verifica a Verificato verrà conteggiato - come Verificato solo una volta. Non vengono conteggiati gli studenti che hanno - rinunciato all'iscrizione al corso. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: La - distribuzione dei voti per un corso, su 100%. I voti sono raggruppati in intervalli - del 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Il numero di studenti che hanno risposto a una domanda e se hanno mai risposto - correttamente. Gli studenti possono rispondere ad alcune domande più volte, ma - questo grafico conta ciascuno studente solo una volta per domanda. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Questo grafico mostra il conteggio del numero di volte in cui i suggerimenti (inclusa - la visualizzazione della risposta stessa) sono stati visualizzati per ogni studente - che alla fine ha risposto correttamente al problema. Se per il problema non è - stata configurata la visualizzazione di suggerimenti o risposte, questo grafico - raggrupperà tutti in "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Questo grafico aiuta a capire quanti studenti utilizzano le trascrizioni o i sottotitoli - del video. Se il video non ha trascrizioni o didascalie la tabella sarà vuota. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Questo grafico mostra quanti studenti unici hanno guardato ciascun video e quante - visualizzazioni ripetute hanno ottenuto ciascuno. Se un video non è mai stato - riprodotto non verrà visualizzato in questa tabella. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Questo grafico mostra la frequenza con cui gli studenti selezionano una risposta - o una combinazione di risposte (per la selezione multipla). Alcuni problemi consentono - agli studenti di inviare una risposta più di una volta; in questo caso, questa - tabella includerà tutte le risposte. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Questo grafico mostra il numero di tentativi che gli studenti hanno dovuto fare - prima di ottenere la risposta corretta al problema. Vengono conteggiati solo gli - studenti che alla fine hanno risposto correttamente. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Questo grafico mostra il numero di studenti che hanno ottenuto un punteggio entro - una certa percentuale di punti per questo problema. Per i problemi superati/falliti - verranno mostrati solo gli intervalli percentuali più bassi e più alti. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Questo grafico mostra quali parti di un video vengono più guardate e quali vengono - più guardate. Ogni segmento rappresenta 5 secondi del video. - Time Last Dumped: Ora dell'ultimo dumping - Time Range: Intervallo di tempo - Time range: Intervallo di tempo - Total Actors v2: Attori totali v2 - Total Hints: Suggerimenti totali - Total Organizations: Organizzazioni totali - Total Views: Visualizzazioni totali - Total plays: Ascolti totali - Total transcript usage: Utilizzo totale della trascrizione - Transcripts / Captions Per Video: Trascrizioni/sottotitoli per video - UUID: UUID - Unique Transcript Users: Utenti univoci della trascrizione - Unique Viewers: Spettatori unici - Unique Watchers: Osservatori unici - Unique actors: Attori unici - User Actions: Azioni dell'utente - User ID: ID utente - User Name: Nome utente - User Registration Date: Data di registrazione dell'utente - Username: Nome utente - Value: Valore - Verb: Verbo - Verb ID: Identificazione del verbo - Video Engagement: Coinvolgimento video - Video Event: Evento video - Video Id: ID video - Video Name: Nome del video - Video Name With Location: Nome del video con posizione - Video Performance: Prestazioni video - Video Title: Titolo del video - Video name: Nome del video - Viz Type: Tipo di visualizzazione - Watched Video Segments: Segmenti video guardati - Watches Per Video: Orologi per video - XBlock Data JSON: Dati XBlock JSON - Year of Birth: Anno di Nascita - audit: verifica - honor: onore - registered: registrato - unregistered: non registrato - verified: verificato - xAPI Events Over Time: Eventi xAPI nel tempo - xAPI Events Over Time v2: Eventi xAPI nel tempo v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -lv: - ? '## Help
* [Aspects Reference](https://docs.openedx.org/projects/openedx-aspects/page/reference/learner_groups_dashboard.html)
* - [Superset Resources](https://github.com/apache/superset#resources)
' - : '## Palīdzība
* [Aspektu atsauce](https://docs.openedx.org/projects/openedx-aspects/page/reference/learner_groups_dashboard.html)
- * [Superset Resources](https://github.com/apache/superset#resources)
' - '% Correct': '% Pareizi' - '% Incorrect': '% nepareizi' - Action: Darbība - Action Count: Darbību skaits - Action Date: Darbības datums - Active: Aktīvs - Active Courses: Aktīvie kursi - Active Learners: Aktīvie dalībnieki - Active Users Per Organization: Aktīvie lietotāji katrā organizācijā - Actor ID: Aktiera ID - Actor Id: Aktieris Id - Actors Count: Aktieru skaits - At-Risk Learners: Riska kursa dalībnieki - Attempted All Problems: Mēģināja visas uzdevumi - Attempted At Least One Problem: Mēģināja atrisināt vismaz vienu uzdevumu - Attempts: Mēģinājumi - Avg Attempts: vid. mēģinājumi - Avg Course Grade: Vidējā kursa vērtējums - Block ID: Bloka ID - Block Id: Bloka ID - COUNT(*): COUNT(*) - Changed By Fk: Mainīja Fk - Changed On: Mainīts Ieslēgts - Chart showing the number of Superset actions taken on each chart in the selected time period.: Diagramma, - kurā parādīts Superset darbību skaits, kas veiktas katrā diagrammā atlasītajā - laika periodā. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Diagramma, - kurā parādīts Superset darbību skaits, kas veiktas katrā informācijas panelī atlasītajā - laika periodā. - Chart showing the number of registered users over the selected time period.: Diagramma, - kurā parādīts reģistrēto lietotāju skaits atlasītajā laika periodā. - ClickHouse: ClickHouse - ClickHouse metrics: ClickHouse metrika - Content Level: Satura līmenis - Correct Attempts: Pareizi mēģinājumi - Count: Skaitīt - Count of unique users who performed an action in Superset over the selected time period.: To - unikālo lietotāju skaits, kuri izvēlētajā laika periodā veica darbību Superset. - Count over time of unique users who performed an action in Superset over the selected time period.: To - unikālo lietotāju skaits laika gaitā, kuri atlasītajā laika periodā ir veikuši - kādu darbību Superset. - Course Dashboard: Kursu informācijas panelis - Course Data JSON: Kursa datu JSON - Course End: Kursa beigas - Course Enrollment Mode Status Cnt: Kursu uzņemšanas režīma statuss Cnt - Course Enrollments Over Time: Kursu pieteikšanās laika gaitā - Course Grade: Kursa vērtējums - Course Grade %: Kursa vērtējums % - Course ID: Kursa ID - Course Information: Informācija par kursu - Course Key: Kursa atslēga - Course Key Short: Īsā kursa atslēga - Course Name: Kursa nosaukums - Course Order: Kursu pasūtījums - Course Run: Kursa norise - Course Start: Kursa sākums - Course grade: Kursa vērtējums - Course name: Kursa nosaukums - Course run: Kursa norise - Courses: Kursi - Courses Cnt: Kursi Cnt - Courses Per Organization: Kursi katrai organizācijai - Created: Izveidots - Created By Fk: Izveidoja Fk - Created On: Izveidots - Cumulative Enrollments by Track: Kopējais reģistrācijas skaits pa celiņiem - Cumulative Interactions: Kumulatīvā mijiedarbība - Current Active Enrollments By Mode: Pašreizējā aktīvā reģistrācija pēc režīma - Current Enrollees: Pašreizējie reģistrētie - Currently Enrolled Users: Pašlaik reģistrētie lietotāji - Dashboard ID: Informācijas paneļa ID - Dashboard Status: Informācijas paneļa statuss - Dashboard Title: Informācijas paneļa nosaukums - Datasource ID: Datu avota ID - Datasource Name: Datu avota nosaukums - Datasource Type: Datu avota veids - Date: Datums - Description: Apraksts - Display Name: Parādāmais nosaukums - Distribution of Course Grades: Kursu vērtējumu sadalījums - Distribution of Current Course Grade: Pašreizējā kursa vērtējumu sadalījums - Dump ID: Datu izmešanas ID - Duration (Seconds): Ilgums (sekundes) - Email: E-pasts - Emission Day: Emisijas diena - Emission Hour: Emisijas stunda - Emission Time: Emisijas laiks - Engagement: Saderināšanās - Enrolled At: Reģistrēts plkst - Enrollees by Enrollment Track: Reģistrētie pēc reģistrācijas ceļa - Enrollees per Enrollment Track: Reģistrētie katrā reģistrācijas maršrutā - Enrollment: Reģistrācija - Enrollment Date: Reģistrācijas datums - Enrollment Dates: Reģistrācijas datumi - Enrollment End: Reģistrācijas beigas - Enrollment Mode: Reģistrācijas režīms - Enrollment Start: Reģistrācijas sākums - Enrollment Status: Reģistrācijas statuss - Enrollment Track: Reģistrācijas trase - Enrollment status: Reģistrācijas statuss - Enrollment track: Reģistrācijas trase - Enrollments: Reģistrācijas - Event Activity: Pasākuma aktivitāte - Event ID: Pasākuma ID - Event String: Notikumu virkne - Event Time: Pasākuma laiks - Events Cnt: Pasākumi Cnt - Fail Login Count: Neizdevušos pieteikšanās skaits - First Name: Vārds - Full Views: Pilni skati - Grade Bucket: Vērtējumu kopne - Grade Range: Vērtējuma diapazons - Grade range: Vērtējuma diapazons - Graded: Novērtēts - Graded Learners: Novērtētie kursa dalībnieki - Help: Palīdzība - Http User Agent: HTTP lietotāja aģents - Id: Id - Incorrect Attempts: Nepareizi mēģinājumi - Individual Learner: Individuāls kursa dalībnieks - Instance Health: Versija Veselība - Interaction Type: Mijiedarbības veids - Last Course Published: Pēdējais kurss publicēts - Last Login: Pēdējā pieteikšanās - Last Name: Uzvārds - Last Received Event: Pēdējais saņemtais notikums - Last Visit Date: Pēdējā apmeklējuma datums - Last Visited: Pēdējo reizi apmeklēts - Last course syncronized: Pēdējais kurss sinhronizēts - Learner Summary: Kursa dalībnieku kopsavilkums - Learners: Kursa dalībnieki - Learners with Passing Grade: Kursa dalībnieki ar sekmīgu vērtējumu - Login Count: Pieteikšanās skaits - Median Attempts: Vidējie mēģinājumi - Median Course Grade: Kursa vidējā vērtējums - Memory Usage (KB): Atmiņas lietojums (KB) - Memory Usage Mb: Atmiņas lietojums Mb - Modified: Pārveidots - Most-used Charts: Visbiežāk izmantotās diagrammas - Most-used Dashboards: Visbiežāk izmantotie informācijas paneļi - Name: Nosaukums - Number of Learners: Kursa dalībnieku skaits - Number of Learners who Attempted the Problem: To kursa dalībnieku skaits, kuri mēģināja - atrisināt uzdevumu - Object ID: Objekta ID - Object Type: Objekta tips - Operator Dashboard: Operatora informācijas panelis - Org: Org - Organization: Organizācija - Organizations: Organizācijas - Overview: Pārskats - Page Count: Lapu skaits - Page Engagement Over Time: Lapas iesaistīšanās laika gaitā - Page Engagement per Section: Lapas iesaiste katrā sadaļā - Page Engagement per Section/Subsection: Lapas iesaiste katrā sadaļā/apakšsadaļā - Page Engagement per Subsection: Lapas iesaiste katrā apakšsadaļā - Pages: Lapas - Partial Views: Daļēji skati - Partial and Full Video Views: Daļēji un pilni video skatījumi - Passed/Failed: Nokārtots/neizdevies - Password: Parole - Performance: Performance - Problem Attempts: Uzdevumu mēģinājumi - Problem Engagement per Section: Uzdevumu iesaiste katrā sadaļā - Problem Engagement per Section/Subsection: Uzdevumu iesaiste katrā sadaļā/apakšsadaļā - Problem Engagement per Subsection: Uzdevumu iesaistīšanās katrā apakšsadaļā - Problem ID: Uzdevumi ID - Problem Id: Uzdevums ID - Problem Link: Uzdevumi saite - Problem Location and Name: Uzdevumu vieta un nosaukums - Problem Name: Uzdevuma nosaukums - Problem Name With Location: Uzdevumi nosaukums ar atrašanās vietu - Problem Results: Uzdevumu rezultāti - Problems: Uzdevumi - Query: Vaicājums - Query Duration Ms: Vaicājuma ilgums Ms - Query performance: Vaicājuma veiktspēja - Read Rows: Lasīt rindas - Repeat Views: Atkārtoti skati - Responses: Atbildes - Result: Rezultāts - Result Rows: Rezultātu rindas - Section Location and Name: Sadaļas atrašanās vieta un nosaukums - Section Name: Sadaļas nosaukums - Section Subsection Video Engagement: Sadaļa Apakšsadaļa Video iesaistīšanās - Section Summary: Sadaļas kopsavilkums - Section With Name: Sadaļa ar nosaukumu - Section with name: Sadaļa ar nosaukumu - Section/Subsection Name: Sadaļas/apakšsadaļas nosaukums - Section/Subsection Page Enggagement: Sadaļas/apakšsadaļas lapas piesaiste - Section/Subsection Problem Engagement: Sadaļa/apakšnodaļa Uzdevumu iesaistīšanās - Section/Subsection Video Engagement: Sadaļa/apakšsadaļa Video iesaistīšanās - Segment Range: Segmentu diapazons - Segment Start: Segmenta sākums - Self Paced: Pašmācības - Slice ID: Šķēles ID - Slice Name: Šķēles nosaukums - Slowest ClickHouse Queries: Lēnākie ClickHouse vaicājumi - Start Position: Sākuma pozīcija - Started At: Sākās plkst - Subsection Location and Name: Apakšsadaļas atrašanās vieta un nosaukums - Subsection Name: Apakšsadaļas nosaukums - Subsection Summary: Apakšsadaļas kopsavilkums - Subsection With Name: Apakšsadaļa ar nosaukumu - Subsection with name: Apakšsadaļa ar nosaukumu - Success: Panākumi - Superset: Superset - Superset Active Users: Aktīvo lietotāju superkomlekts - Superset Active Users Over Time: Superset Active Users Laika gaitā - Superset Registered Users Over Time: Reģistrēto lietotāju supersets laika gaitā - Tables: Tabulas - Time Grain: Laiks Grauds - Time Last Dumped: Pēdējās datu izmešanas darbības laiks - Time Range: Laika diapazons - Total Courses: Kopējais kursi - Total Organizations: Organizācijas kopā - Total Views: Kopējais skatījumu skaits - Unique Viewers: Unikālie skatītāji - User ID: Lietotāja ID - User Info: Lietotāja informācija - User Name: Lietotājvārds - User Registration Date: Lietotāja reģistrācijas datums - Username: Lietotājvārds - Value: Vērtība - Verb: Darbības vārds - Verb ID: Darbības vārda ID - Video Duration: Video ilgums - Video Engagement: Video iesaistīšanās - Video Engagement per Section: Video iesaiste katrā sadaļā - Video Engagement per Section/Subsection: Video iesaiste katrā sadaļā/apakšsadaļā - Video Engagement per Subsection: Video iesaiste katrā apakšsadaļā - Video Event: Video pasākums - Video ID: Video ID - Video Link: Video saite - Video Location and Name: Videoklipa atrašanās vieta un nosaukums - Video Name: Videoklipa nosaukums - Video Name With Location: Video nosaukums ar atrašanās vietu - Video Position: Video pozīcija - Video Segment Count: Video segmentu skaits - Videos: Videoklipi - Viewed All Pages: Skatītas visas lapas - Viewed All Videos: Skatīti visi video - Viewed At Least One Page: Apskatīta vismaz viena lapa - Viewed At Least One Video: Noskatīts Vismaz Viens Video - Visited On: 'Apmeklēja:' - Visualization Bucket: Vizualizācijas spainis - Watched Entire Video: Noskatījies visu video - Watched Segment Count: Noskatīto segmentu skaits - Watched Video Segments: Noskatītie video segmenti - audit: audits - failed: neizdevās - graded: novērtēts - honor: gods - passed: pagājis - registered: reģistrēts - section_subsection_name: section_subsection_name - section_subsection_page_engagement: section_subsection_page_engagement - section_subsection_problem_engagement: section_subsection_problem_engagement - ungraded: nenovērtēts - unregistered: nereģistrēts - verified: verificēts - '{{ASPECTS_COURSE_OVERVIEW_HELP_MARKDOWN}}': '{{ASPECTS_COURSE_OVERVIEW_HELP_MARKDOWN}}' - '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}': '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -pt_BR: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtre - esses resultados selecionando várias opções no painel de filtros.
-
Select a course from the Filters panel to populate these charts.
:
Selecione - um curso no painel Filtros para preencher esses gráficos.
-
Select a problem from the Filters panel to populate the charts.
:
Selecione - um problema no painel Filtros para preencher os gráficos.
-
Select a video from the Filters panel to populate these charts.
:
Selecione - um vídeo no painel Filtros para preencher esses gráficos.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Uma contagem do número de inscrições e cancelamentos de inscrições por dia. Os - alunos podem se inscrever e cancelar a inscrição várias vezes. Neste gráfico, - cada inscrição e cancelamento de inscrição individual serão contabilizados. - Action: Ação - Action Cluster: Cluster de Ação - Action Count: Contagem de ações - Action Date: Data da Ação - Active: Ativo - Active Users Over Time v2: Usuários ativos ao longo do tempo v2 - Active Users Per Organization: Usuários ativos por organização - Actor ID: ID do ator - Actor IDs over time: IDs dos atores ao longo do tempo - Actor Id: ID do ator - Answers Chosen: Respostas escolhidas - Attempts: Tentativas - Bio: Biografia - COUNT(*): CONTAR(*) - CSS: CSS - Cache Timeout: Tempo limite do cache - Certification Details: Detalhes da certificação - Certified By: Certificado por - Changed By Fk: Alterado por Fk - Changed On: Ativado - Chart Count: Contagem de gráficos - Chart showing the number of Superset actions taken by each user over the selected time period.: Gráfico - que mostra o número de ações do Superset realizadas por cada usuário durante o - período selecionado. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Gráfico - mostrando o número de ações do Superset realizadas em cada gráfico no período - selecionado. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Gráfico - que mostra o número de ações do Superset realizadas em cada painel no período - selecionado. - Chart showing the number of registered users over the selected time period.: Gráfico - mostrando o número de usuários registrados no período selecionado. - Charts by Type: Gráficos por tipo - City: País - ClickHouse: ClickHouse - ClickHouse metrics: Métricas ClickHouse - Count of charts created in Superset over the selected time period.: Contagem de - gráficos criados no Superset durante o período selecionado. - Count of dashboards created in Superset over the selected time period.: Contagem - de painéis criados no Superset durante o período selecionado. - Count of the various types of charts created in Superset over the selected time period.: Contagem - dos vários tipos de gráficos criados no Superset durante o período selecionado. - Count of unique users who performed an action in Superset over the selected time period.: Contagem - de usuários únicos que realizaram uma ação no Superset durante o período selecionado. - Count over time of unique users who performed an action in Superset over the selected time period.: Contagem - ao longo do tempo de usuários únicos que realizaram uma ação no Superset durante - o período selecionado. - Country: País - Course Data JSON: JSON de dados do curso - Course End: Término do curso - Course Enrollment: Inscrição no curso - Course Enrollments Over Time: Inscrições em cursos ao longo do tempo - Course Grade (out of 100%): Nota do curso (de 100%) - Course Grade Distribution: Distribuição de notas do curso - Course ID: ID do Curso - Course Key: Chave do Curso - Course Key Short: Resumo do curso - Course Name: Nome do Curso - Course Run: Versão do Curso - Course Start: Início do curso - Course name: Nome do curso - Course run: Funcionamento do curso - Courses: Cursos - Courses Per Organization: Cursos por organização - Courseware: Material didático - Created: Criado - Created By Fk: Criado por Fk - Created On: Criado em - Currently Enrolled Learners Per Day: Alunos atualmente matriculados por dia - Dashboard Count: Contagem do painel - Dashboard ID: ID do painel - Dashboard Status: Status do painel - Dashboard Title: Título do painel - Datasource ID: ID da fonte de dados - Datasource Name: Nome da fonte de dados - Datasource Type: Tipo de fonte de dados - Description: Descrição - Display Name: Exibir Nome - Distinct forum users: Usuários distintos do fórum - Distribution Of Attempts: Distribuição de tentativas - Distribution Of Hints Per Correct Answer: Distribuição de dicas por resposta correta - Distribution Of Problem Grades: Distribuição de notas de problemas - Distribution Of Responses: Distribuição de respostas - Dump ID: ID de despejo - Duration (Seconds): Duração (segundos) - Edited On: Editado em - Email: E-mail - Emission Time: Tempo de emissão - Enrollment End: Fim da inscrição - Enrollment Events Per Day: Eventos de inscrição por dia - Enrollment Mode: Modo de matrícula - Enrollment Start: Início da inscrição - Enrollment Status: status da inscrição - Enrollment Status Date: Data de status de inscrição - Enrollments: Matrículas - Enrollments By Enrollment Mode: Inscrições por Modalidade de Inscrição - Enrollments By Type: Inscrições por tipo - Entity Name: Nome da entidade - Event ID: ID do evento - Event String: Sequência de eventos - Event Time: Hora do evento - Event type: Tipo de evento - Events per course: Eventos por curso - External ID Type: Tipo de ID externo - External Url: URL externo - External User ID: ID de usuário externo - Fail Login Count: Contagem de login com falha - First Name: 'Nome:' - Forum Interaction: Interação no Fórum - Gender: Sexo - Goals: Objetivos - Grade Bucket: Balde de notas - Grade Type: Tipo de nota - Help: Ajuda - Hints / Answer Displayed Before Correct Answer Chosen: Dicas/respostas exibidas - antes da resposta correta ser escolhida - ID: ID - Id: Eu ia - Instance Health: Integridade da Instância - Instructor Dashboard: Painel de controle do instrutor - Is Managed Externally: É gerenciado externamente - JSON Metadata: Metadados JSON - Language: Idioma - Last Login: Último Login - Last Name: Sobrenome - Last Received Event: Último evento recebido - Last Saved At: Salvo pela última vez em - Last Saved By Fk: Salvo pela última vez por Fk - Last course syncronized: Último curso sincronizado - Level of Education: Nível de escolaridade - Location: Localização - Login Count: Contagem de logins - Mailing Address: Endereço para correspondência - Memory Usage (KB): Uso de memória (KB) - Meta: meta - Modified: Modificado - Most Active Courses Per Day: Cursos mais ativos por dia - Most-used Charts: Gráficos mais usados - Most-used Dashboards: Painéis mais usados - Name: Nome - Number Of Attempts To Find Correct Answer: Número de tentativas para encontrar a - resposta correta - Number Of Students: Número de estudantes - Number Of Users: Número de usuários - Number Of Viewers / Views: Número de visualizadores/visualizações - Number of Answers Displayed: Número de respostas exibidas - Number of Hints Displayed: Número de dicas exibidas - Number of Posts: Número de posts - Number of Users / Uses: Número de usuários/usos - Number of Views / Viewers: Número de visualizações/visualizadores - Number of users: Número de usuários - Object ID: ID do objeto - Object Type: Tipo de objeto - Operator Dashboard: Painel do Operador - Order: Ordem - Organization: Organização - Organizations: Organizações - Parameters: Parâmetros - Password: Senha - Percentage Grade: Nota percentual - Perm: Permanente - Phone Number: Número de telefone - Position Json: Posição JSON - Posts per user: Postagens por usuário - Problem Engagement: Envolvimento com o problema - Problem Id: ID do problema - Problem Name: Nome da questão - Problem Name With Location: Nome do problema com localização - Problem Performance: Desempenho do problema - Problem name: Nome do problema - Profile Image Uploaded At: Imagem de perfil enviada em - Published: Publicado - Query: Consulta - Query Context: Contexto de consulta - Query performance: Desempenho de consulta - Question Title: título da questão - Read Rows: Ler linhas - Repeat Views: Repetir visualizações - Responses: Respostas - Responses Per Problem: Respostas por problema - Scaled Score: Pontuação em escala - Schema Perm: Perm do esquema - Seconds Of Video: Segundos de vídeo - Segment Start: Início do segmento - Self Paced: Ritmo Auto-determinado - Slice ID: ID da fatia - Slice Name: Nome da fatia - Slowest ClickHouse Queries: Consultas ClickHouse mais lentas - Slug: Slug - Started At: Começou às - State: Estado - Students: Alunos - Success: Sucesso - Superset: Superconjunto - Superset Active Users: Superconjunto de usuários ativos - Superset Active Users Over Time: Superconjunto de usuários ativos ao longo do tempo - Superset Registered Users Over Time: Superconjunto de usuários registrados ao longo - do tempo - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : O total cumulativo de alunos matriculados únicos com base no estado de matrícula - no final de cada dia. Se um aluno estava matriculado anteriormente, mas abandonou - o curso desde então, ele não será contabilizado na data em que saiu. Caso se reinscrevam - no curso, serão contabilizados novamente. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : A contagem atual de inscrições ativas por tipo de inscrição mais recente. Portanto, - se um aluno fizer upgrade de Auditoria para Verificada, ele será contado apenas - uma vez como Verificado. Os alunos que cancelaram a inscrição no curso não são - contabilizados. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: A - distribuição das notas de um curso, em 100%. As notas são agrupadas em faixas - de 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : O número de alunos que responderam a uma pergunta e se alguma vez responderam - corretamente. Os alunos podem responder a algumas perguntas várias vezes, mas - este gráfico conta cada aluno apenas uma vez por pergunta. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Este gráfico exibe a contagem do número de vezes que dicas (incluindo a exibição - da própria resposta) foram exibidas para cada aluno que finalmente respondeu o - problema corretamente. Se o problema não tiver nenhuma dica ou resposta configurada, - este gráfico agrupará todos em “0”. - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Este gráfico ajuda a entender quantos alunos estão usando as transcrições ou legendas - ocultas do vídeo. Se o vídeo não tiver transcrições ou legendas o gráfico ficará - vazio. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Este gráfico mostra quantos alunos únicos assistiram a cada vídeo e quantas visualizações - repetidas cada um obteve. Se um vídeo nunca tiver sido reproduzido, ele não aparecerá - neste gráfico. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Este gráfico mostra com que frequência uma resposta ou combinação de respostas - (para seleção múltipla) é selecionada pelos alunos. Alguns problemas permitem - que os alunos enviem uma resposta mais de uma vez; nesse caso, este gráfico incluirá - todas as respostas. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Este gráfico mostra o número de tentativas que os alunos precisaram fazer antes - de acertar a resposta do problema. Isso conta apenas os alunos que eventualmente - responderam corretamente. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Este gráfico mostra o número de alunos que pontuaram dentro de uma determinada - porcentagem de pontos para este problema. Para problemas aprovados/reprovados, - ele mostrará apenas os intervalos percentuais mais baixos e mais altos. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Este gráfico mostra quais partes de um vídeo são mais assistidas e quais são mais - assistidas novamente. Cada segmento representa 5 segundos do vídeo. - Time Last Dumped: Hora do último despejo - Time Range: Intervalo de tempo - Time range: Intervalo de tempo - Total Actors v2: Total de atores v2 - Total Hints: Total de dicas - Total Organizations: Total de organizações - Total Views: Total de visualizações - Total plays: Total de jogadas - Total transcript usage: Uso total de transcrição - Transcripts / Captions Per Video: Transcrições/legendas por vídeo - UUID: UUID - Unique Transcript Users: Usuários de transcrição exclusivos - Unique Viewers: Visualizadores únicos - Unique Watchers: Observadores Únicos - Unique actors: Atores únicos - User Actions: Ações do usuário - User ID: ID do usuário - User Name: Nome de usuário - User Registration Date: Data de registro do usuário - Username: Usuário - Value: Valor - Verb: Verbo - Verb ID: ID do verbo - Video Engagement: Engajamento de vídeo - Video Event: Evento de vídeo - Video Id: ID do vídeo - Video Name: Nome do vídeo - Video Name With Location: Nome do vídeo com localização - Video Performance: Desempenho de vídeo - Video Title: Título do vídeo - Video name: Nome do vídeo - Viz Type: Tipo de visualização - Watched Video Segments: Segmentos de vídeo assistidos - Watches Per Video: Relógios por vídeo - XBlock Data JSON: JSON de dados XBlock - Year of Birth: Ano de Nascimento - audit: auditoria - honor: honra - registered: registrado - unregistered: não registrado - verified: verificado - xAPI Events Over Time: Eventos xAPI ao longo do tempo - xAPI Events Over Time v2: Eventos xAPI ao longo do tempo v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -pt_PT: - '': '' - '% Correct': '% Correto' - '% Incorrect': '% Incorreto' - Action: Ação - Action Count: Contagem de ações - Action Date: Data da ação - Active: Ativo - Active Courses: Cursos ativos - Active Learners: Alunos ativos - Active Users Per Organization: Utilizadores ativos por organização - Actor ID: ID do ator - Actor Id: Id do ator - All Pages Viewed: Todas as páginas visualizadas - All Videos Viewed: Todos os vídeos visualizados - At Leat One Page Viewed: Pelo menos uma página visualizada - At Leat One Viewed: Pelo menos um visto - At-Risk Learners: Alunos em risco - At-risk Enrollees per Enrollment Track: Inscritos em risco por via de inscrição - At-risk Enrollment Dates: Datas de inscrição em risco - At-risk learners: Alunos em risco - Attempted All Problems: Tentativa de todos os problemas - Attempted at Least One Problem: Tentou pelo menos um problema - Attempts: Tentativas - Avg Attempts: Média de tentativas - Avg Course Grade: Nota média do curso - Block ID: Bloco ID - Block Id: Bloco Id - COUNT(*): COUNT(*) - Changed By Fk: Alterado por Fk - Changed On: Alterado em - Chart showing the number of Superset actions taken on each chart in the selected time period.: Gráfico - que mostra o número de ações Superset realizadas em cada gráfico no período de - tempo selecionado. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Gráfico - que mostra o número de ações Superset realizadas em cada dashboard no período - de tempo selecionado. - Chart showing the number of registered users over the selected time period.: Gráfico - que mostra o número de utilizadores registados durante o período de tempo selecionado. - ClickHouse: ClickHouse - ClickHouse metrics: Métricas do ClickHouse - Content Level: Nível de conteúdo - Correct Attempts: Tentativas correctas - Count: Contagem - Count of unique users who performed an action in Superset over the selected time period.: Contagem - de utilizadores únicos que realizaram uma ação no Superset durante o período de - tempo selecionado. - Count over time of unique users who performed an action in Superset over the selected time period.: Contagem - ao longo do tempo de utilizadores únicos que realizaram uma ação no Superset durante - o período de tempo selecionado. - Course Dashboard: Painel de controlo da disciplina - Course Data JSON: Dados da disciplina JSON - Course End: Data de Fim do Curso - Course Enrollments Over Time: Inscrições nos cursos ao longo do tempo - Course Grade: Classificação do Curso - Course ID: ID do Curso - Course Information: Informações sobre os cursos - Course Key: Chave do Curso - Course Key Short: Chave do curso curto - Course Name: Nome do Curso - Course Run: Edição do Curso - Course Start: Data de Início do Curso - Course grade: Nota do curso - Course key: Chave da disciplina - Course name: Nome do curso - Course run: Edição do curso - Courses: Cursos - Courses Per Organization: Cursos por organização - Created: Criado - Created By Fk: Criado por Fk - Created On: Criado em - Cumulative Enrollments by Track: Inscrições acumuladas por via - Cumulative Interactions: Interações cumulativas - Cumulative Interactions (at-risk): Interações cumulativas (em risco) - Current Active Enrollments By Mode: Inscrições ativas atuais por modo - Current Enrollees: Inscritos atuais - Dashboard ID: ID do painel de controlo - Dashboard Status: Estado do painel de controlo - Dashboard Title: Título do painel de controlo - Datasource ID: ID da fonte de dados - Datasource Name: Nome da fonte de dados - Datasource Type: Tipo de fonte de dados - Date: Data - Description: Descrição - Display Name: Nome a Exibir - Distribution of Course Grades: Distribuição das notas dos cursos - Distribution of Current Course Grade: Distribuição da nota atual do curso - Dump ID: ID do depósito - Duration (Seconds): Duração (segundos) - Email: Email - Emission Time: Tempo de emissão - Engagement: Envolvimento - Enrolled At: Inscrito em - Enrollees per Enrollment Track: Inscritos por via de inscrição - Enrollment: Inscrição - Enrollment End: Fim da inscrição - Enrollment Mode: Modo de inscrição - Enrollment Start: Início da inscrição - Enrollment Status: Estado da inscrição - Enrollment status: Estado da inscrição - Enrollment track: Percurso de aprendizagem - Enrollments: Inscrições - Event Activity: Atividade do evento - Event ID: ID do evento - Event String: Cadeia de eventos - Event Time: Hora do evento - Evolution of Engagement (at-risk): Evolução do envolvimento (em risco) - Evolution of engagement: Evolução da envolvimento - External User ID: ID do utilizador externo - Fail Login Count: Contagem de falhas de início de sessão - First Name: Primeiro Nome - Full Views: Visualizações completas - Grade Bucket: Bucket da Avaliação - Grade range: Intervalo de notas - Graded: Avaliado - Graded Learners: Alunos classificados - Help: Ajuda - Id: Id - Incorrect Attempts: Tentativas incorrectas - Individual Learner Dashboard: Painel de controlo individual do aluno - Individual Learner Reports: Relatórios individuais dos alunos - Instance Health: Saúde da instância - Interaction Type: Tipo de interação - Last Login: Último login - Last Name: Apelido - Last Received Event: Último evento recebido - Last Visited: Última visita - Last course syncronized: Último curso sincronizado - Last visit date: Data da última visita - Learners with Passing Grade: Estudantes com classificados para aprovação - Login Count: Contagem de registos - Median Course Grade: Classificação mediana do curso - Median of Attempts: Mediana de tentativas - Memory Usage (KB): Uso de memória (KB) - Modified: Modificado - Most-used Charts: Gráficos mais utilizados - Most-used Dashboards: Painéis mais utilizados - Name: Nome - Number of Learners: Número de estudantes - Number of Learners who attemped the problem: Número de estudantes que responderam - ao problema - Object ID: ID do objeto - Object Type: Tipo de Objeto - Operator Dashboard: Painel do operador - Org: Org - Organization: Organização - Organizations: Organizações - Overview: Descrição geral - Page Count: Contagem de páginas - Page views per section/subsection: Visualizações de páginas por secção/subsecção - Page views per section/subsection (at-risk): Visualizações de páginas por secção/subsecção - (em risco) - Pages: Páginas - Partial Views: Vistas parciais - Partial and Full Views Per Video (at-risk): Visualizações parciais e completas por - vídeo (em risco) - Partial and full views per video: Visualizações parciais e totais por vídeo - Passed/Failed: Aprovado/Reprovado - Password: Palavra-passe - Performance: Performance - Problem Id: Id do problema - Problem Interactions (at-risk): Interações com o Problema (em risco) - Problem Link: Link do Problema - Problem Name: Nome do problema - Problem Results: Resultados do Problema - Problem Results (at-risk): Resultados do Problema (em risco) - Problem interactions: Interações com o Problema - Problem name with location: Nome do Problema com localização - Problems: Problemas - Problems attempted per section/subsection: Problemas resolvidos por secção/subsecção - Problems attempted per section/subsection (at-risk): Problemas resolvidos por secção/subsecção - (em risco) - Query: Consulta - Query performance: Desempenho de consulta - Read Rows: Ler linhas - Repeat Views: Repetir vizualizações - Responses: Respostas - Result: Resultado - Section Name: Nome da Secção - Section Summary: Sumário da secção - Section Summary (at-risk): Sumário da secção (em risco) - Section With Name: Secção com Nome - Section with Name: Secção com Nome - Section with name: Secção com nome - Section/Subsection Name: Nome da secção/subsecção - Section/Subsection Page Engagement: Envolvimento na página de secção/subsecção - Section/Subsection Problem Engagement: Problema de envolvimento de Secção/Subsecção - Segment Range: Intervalo do segmento - Segment Start: Início do segmento - Self Paced: Ritmo Próprio Indiviual - Slice ID: ID do Slice - Slice Name: Nome do Slice - Slowest ClickHouse Queries: Consultas ClickHouse mais lentas - Start Position: Posição inicial - Started At: Começou em - Subsection Name: Nome da Subsecção - Subsection Summary: Sumário da Subsecção - Subsection Summary (at-risk): Sumário da Subsecção (em risco) - Subsection With Name: Subsecção com Nome - Subsection with Name: Subsecção com Nome - Subsection with name: Subsecção com nome - Success: Sucesso - Superset: Superset - Superset Active Users: Utilizadores ativos do Superset - Superset Active Users Over Time: Utilizadores ativos do Superset ao longo do tempo - Superset Registered Users Over Time: Utilizadores registados do Superset ao longo - do tempo - Time Grain: Granularidade do tempo - Time Last Dumped: Hora do último descarregamento - Time Range: Intervalo de tempo - Total Organizations: Total de organizações - Total Users: Total de utilizadores - Total Views: Total de vistas - Total plays: Total de início de reproduções - Unique Viewers: Espectadores únicos - Unique Watchers: Observadores únicos - User ID: ID do utilizador - User Info: Informação do utilizador - User Name: Nome do utilizador - User Registration Date: Data de registo do utilizador - Username: Nome de utilizador - Value: Valor - Verb: Verbo - Verb ID: ID do verbo - Video Duration: Duração do vídeo - Video Event: Evento do vídeo - Video ID: ID do Vídeo - Video Link: Link do vídeo - Video Name: Nome do vídeo - Video Name With Location: Nome do vídeo com localização - Video Position: Posição do vídeo - Video Views by Section/Subsection (at-risk): Visualizações de vídeo por secção/subsecção - (em risco) - Video Views per Section/Subsection (at-risk): Visualizações de vídeo por secção/subsecção - (em risco) - Video name: Nome do vídeo - Video views by section/subsection: Visualizações de vídeo por secção/subsecção - Video views per section/subsection: Visualizações de vídeo por secção/subsecção - Videos: Vídeos - Views: Visualizações - Visited On: Visitado em - Visualization Bucket: Visualização do bucket - Watched Entire Video: Assistiu a todo o vídeo - Watched Segment Count: Contagem de Visualizações do Segmento - Watched Video Segments: Segmentos de vídeo visualizados - Watched Video Segments (at-risk): Segmentos de vídeo visualizados (em risco) - audit: audit - honor: honra - registered: registado - unregistered: não registado - verified: verificado - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' - ⏲️ Use the ‘Time Grain’ filter to update the time frame intervals shown in the following graph(s): ⏲️ - Utilize o filtro “Time Grain” para atualizar os intervalos de tempo apresentados - no(s) gráfico(s) seguinte(s) -ru: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Отфильтруйте - эти результаты, выбрав различные параметры на панели фильтров.
-
Select a course from the Filters panel to populate these charts.
:
Выберите - курс на панели «Фильтры», чтобы заполнить эти диаграммы.
-
Select a problem from the Filters panel to populate the charts.
:
Выберите - проблему на панели «Фильтры», чтобы заполнить диаграммы.
-
Select a video from the Filters panel to populate these charts.
:
Выберите - видео на панели «Фильтры», чтобы заполнить эти диаграммы.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Подсчет количества регистраций и отказов от регистрации в день. Учащиеся могут - зарегистрироваться и отказаться от регистрации несколько раз, в этой таблице будет - учитываться каждая отдельная регистрация и отмена регистрации. - Action: Действие - Action Cluster: Кластер действий - Action Count: Количество действий - Action Date: Дата действия - Active: Активный - Active Users Over Time v2: Активные пользователи с течением времени v2 - Active Users Per Organization: Активных пользователей на организацию - Actor ID: Идентификатор актера - Actor IDs over time: Идентификаторы актеров с течением времени - Actor Id: Идентификатор актера - Answers Chosen: Ответы выбраны - Attempts: Попытки - Bio: Био - COUNT(*): СЧИТАТЬ(*) - CSS: CSS - Cache Timeout: Тайм-аут кэша - Certification Details: Детали сертификации - Certified By: Сертифицировано - Changed By Fk: Изменено Fk - Changed On: Изменено - Chart Count: Количество диаграмм - Chart showing the number of Superset actions taken by each user over the selected time period.: Диаграмма, - показывающая количество действий супернабора, выполненных каждым пользователем - за выбранный период времени. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Диаграмма, - показывающая количество действий Супернабора, выполненных на каждой диаграмме - за выбранный период времени. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Диаграмма, - показывающая количество действий Superset, выполненных на каждой информационной - панели за выбранный период времени. - Chart showing the number of registered users over the selected time period.: Диаграмма, - показывающая количество зарегистрированных пользователей за выбранный период времени. - Charts by Type: Диаграммы по типам - City: Город - ClickHouse: Кликхаус - ClickHouse metrics: Метрики ClickHouse - Count of charts created in Superset over the selected time period.: Количество диаграмм, - созданных в Superset за выбранный период времени. - Count of dashboards created in Superset over the selected time period.: Количество - панелей мониторинга, созданных в Superset за выбранный период времени. - Count of the various types of charts created in Superset over the selected time period.: Количество - различных типов диаграмм, созданных в Superset за выбранный период времени. - Count of unique users who performed an action in Superset over the selected time period.: Количество - уникальных пользователей, совершивших действие в Superset за выбранный период - времени. - Count over time of unique users who performed an action in Superset over the selected time period.: Подсчитайте - количество уникальных пользователей, выполнивших действие в Superset за выбранный - период времени. - Country: Страна - Course Data JSON: Данные курса в формате JSON - Course End: Окончание курса - Course Enrollment: Запись на курс - Course Enrollments Over Time: Зачисление на курсы с течением времени - Course Grade (out of 100%): Оценка за курс (из 100%) - Course Grade Distribution: Распределение оценок за курс - Course ID: Идентификатор курса - Course Key: Идентификатор курса - Course Key Short: Краткое описание курса - Course Name: Название курса - Course Run: Запуск курса - Course Start: Начало курса - Course name: Название курса - Course run: Курсовой пробег - Courses: Курсы - Courses Per Organization: Курсы на организацию - Courseware: Содержание - Created: Создано - Created By Fk: Создано ФК - Created On: Создано на - Currently Enrolled Learners Per Day: Число зачисленных в настоящее время учащихся - в день - Dashboard Count: Количество на панели мониторинга - Dashboard ID: Идентификатор информационной панели - Dashboard Status: Статус информационной панели - Dashboard Title: Название информационной панели - Datasource ID: Идентификатор источника данных - Datasource Name: Имя источника данных - Datasource Type: Тип источника данных - Description: Описание - Display Name: Отображаемое название - Distinct forum users: Разные пользователи форума - Distribution Of Attempts: Распределение попыток - Distribution Of Hints Per Correct Answer: Распределение подсказок на правильный - ответ - Distribution Of Problem Grades: Распределение оценок проблем - Distribution Of Responses: Распределение ответов - Dump ID: Идентификатор дампа - Duration (Seconds): Продолжительность (секунды) - Edited On: Отредактировано - Email: Электронная почта - Emission Time: Время выброса - Enrollment End: Окончание регистрации - Enrollment Events Per Day: Регистрация событий в день - Enrollment Mode: Режим зачисления - Enrollment Start: Начало регистрации - Enrollment Status: Статус регистрации - Enrollment Status Date: Статус регистрации Дата - Enrollments: Регистрации - Enrollments By Enrollment Mode: Регистрация по режиму регистрации - Enrollments By Type: Зачисления по типам - Entity Name: Имя сущности - Event ID: Идентификатор события - Event String: Строка события - Event Time: Время события - Event type: Тип события - Events per course: Мероприятия за курс - External ID Type: Тип внешнего идентификатора - External Url: Внешний URL-адрес - External User ID: Внешний идентификатор пользователя - Fail Login Count: Счетчик неудачных входов - First Name: Имя - Forum Interaction: Взаимодействие на форуме - Gender: Пол - Goals: Цели - Grade Bucket: Оценка Ковш - Grade Type: Тип оценки - Help: Помощь - Hints / Answer Displayed Before Correct Answer Chosen: Подсказки/ответ отображаются - перед выбором правильного ответа - ID: Идентификатор - Id: Идентификатор - Instance Health: Состояние экземпляра - Instructor Dashboard: Панель управления преподавателя - Is Managed Externally: Управляется извне - JSON Metadata: Метаданные JSON - Language: Язык - Last Login: Недавний вход - Last Name: Фамилия - Last Received Event: Последнее полученное событие - Last Saved At: 'Последнее сохранение:' - Last Saved By Fk: Последнее сохранение от Fk - Last course syncronized: Последний курс синхронизирован - Level of Education: Уровень образования - Location: Местонахождение - Login Count: Количество входов - Mailing Address: Почтовый адрес - Memory Usage (KB): Использование памяти (КБ) - Meta: Мета - Modified: Модифицированный - Most Active Courses Per Day: Самые активные курсы в день - Most-used Charts: Наиболее часто используемые диаграммы - Most-used Dashboards: Наиболее часто используемые информационные панели - Name: Имя - Number Of Attempts To Find Correct Answer: Количество попыток найти правильный ответ - Number Of Students: Количество студентов - Number Of Users: Количество пользователей - Number Of Viewers / Views: Количество зрителей/просмотров - Number of Answers Displayed: Количество отображаемых ответов - Number of Hints Displayed: Количество отображаемых подсказок - Number of Posts: Количество сообщений - Number of Users / Uses: Количество пользователей/использований - Number of Views / Viewers: Количество просмотров/зрителей - Number of users: Количество пользователей - Object ID: Идентификатор объекта - Object Type: Тип объекта - Operator Dashboard: Панель управления оператора - Order: Заказ - Organization: Организация - Organizations: Организации - Parameters: Параметры - Password: Пароль - Percentage Grade: Процентная оценка - Perm: Пермь - Phone Number: Номер телефона - Position Json: Позиция Json - Posts per user: Сообщений на пользователя - Problem Engagement: Проблема взаимодействия - Problem Id: Идентификатор проблемы - Problem Name: Наименование задачи - Problem Name With Location: Название проблемы с местоположением - Problem Performance: Проблема с производительностью - Problem name: Название проблемы - Profile Image Uploaded At: Изображение профиля загружено на - Published: Опубликовано - Query: Запрос - Query Context: Контекст запроса - Query performance: Производительность запросов - Question Title: Название вопроса - Read Rows: Чтение строк - Repeat Views: Повторные просмотры - Responses: Ответы - Responses Per Problem: Ответы на проблему - Scaled Score: Масштабированная оценка - Schema Perm: Схема Пермь - Seconds Of Video: Секунды видео - Segment Start: Начало сегмента - Self Paced: Произвольный темп - Slice ID: Идентификатор фрагмента - Slice Name: Имя фрагмента - Slowest ClickHouse Queries: Самые медленные запросы ClickHouse - Slug: Slug-строка - Started At: Началось с - State: Состояние - Students: Студенты - Success: Успех - Superset: Суперсет - Superset Active Users: Расширенная группа активных пользователей - Superset Active Users Over Time: Расширенная группа активных пользователей с течением - времени - Superset Registered Users Over Time: Зарегистрированные пользователи Superset с - течением времени - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Совокупное количество уникальных зачисленных учащихся, основанное на их состоянии - зачисления в конце каждого дня. Если учащийся был зачислен ранее, но с тех пор - покинул курс, он не учитывается на дату его ухода. Если они повторно запишутся - на курс, они будут засчитаны снова. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Текущее количество активных зачислений по их последнему типу регистрации, поэтому, - если учащийся перешел с аудита на проверенный, он будет засчитан как проверенный - только один раз. Учащиеся, не зачисленные на курс, не учитываются. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Распределение - оценок за курс - 100%. Оценки сгруппированы по диапазонам 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Число учащихся, ответивших на вопрос, и ответы ли они когда-либо правильно. Учащиеся - могут отвечать на некоторые вопросы несколько раз, но в этой таблице каждый учащийся - учитывается только один раз на вопрос. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : На этой диаграмме показано количество раз, когда подсказки (включая отображение - самого ответа) отображались для каждого учащегося, который в конечном итоге правильно - ответил на задачу. Если для проблемы не было настроено отображение подсказок или - ответов, на этой диаграмме все будут сгруппированы в «0». - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Эта диаграмма помогает понять, сколько учащихся используют расшифровки видео или - субтитры. Если видео не имеет расшифровок и подписей, таблица будет пустой. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : На этой диаграмме показано, сколько уникальных учащихся просмотрело каждое видео - и сколько повторных просмотров получил каждый из них. Если видео никогда не воспроизводилось, - оно не появится на этой диаграмме. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : На этой диаграмме показано, как часто учащиеся выбирают ответ или комбинацию ответов - (при множественном выборе). Некоторые задачи позволяют учащимся отправлять ответ - более одного раза; в этом случае в эту таблицу будут включены все ответы. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : На этой диаграмме показано количество попыток, которые учащиеся должны были сделать, - прежде чем получили правильный ответ на задачу. При этом учитываются только те - студенты, которые в итоге ответили правильно. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'На этой диаграмме показано количество учащихся, набравших по этой задаче определенный - процент баллов. Для задач, которые соответствуют критериям «пройдено/не пройдено», - будут показаны только самые низкие и самые высокие процентные диапазоны. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : На этой диаграмме показано, какие части видео просматриваются чаще всего, а какие - пересматриваются чаще всего. Каждый сегмент представляет собой 5 секунд видео. - Time Last Dumped: Время последнего сброса - Time Range: Временной диапазон - Time range: Временной диапазон - Total Actors v2: Всего актеров v2 - Total Hints: Всего подсказок - Total Organizations: Всего организаций - Total Views: Всего просмотров - Total plays: Всего игр - Total transcript usage: Общее использование стенограммы - Transcripts / Captions Per Video: Транскрипты/подписи к видео - UUID: UUID - Unique Transcript Users: Уникальные пользователи стенограммы - Unique Viewers: Уникальные зрители - Unique Watchers: Уникальные наблюдатели - Unique actors: Уникальные актеры - User Actions: Действия пользователя - User ID: ID пользователя - User Name: Имя пользователя - User Registration Date: Дата регистрации пользователя - Username: Имя пользователя - Value: Значение - Verb: Глагол - Verb ID: Идентификатор глагола - Video Engagement: Видео-помолвка - Video Event: Видео Мероприятие - Video Id: Идентификатор видео - Video Name: Название видео - Video Name With Location: Название видео с местоположением - Video Performance: Видео выступления - Video Title: Название видео - Video name: Название видео - Viz Type: Тип визуализации - Watched Video Segments: Просмотренные фрагменты видео - Watches Per Video: Просмотров на видео - XBlock Data JSON: Данные XBlock в формате JSON - Year of Birth: Год рождения - audit: аудит - honor: честь - registered: зарегистрированный - unregistered: незарегистрированный - verified: проверено - xAPI Events Over Time: События xAPI с течением времени - xAPI Events Over Time v2: События xAPI с течением времени v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -sw: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Chuja - matokeo haya kwa kuchagua chaguo mbalimbali kutoka kwa paneli ya vichujio.
-
Select a course from the Filters panel to populate these charts.
:
Chagua - kozi kutoka kwa paneli ya Vichujio ili kujaza chati hizi.
-
Select a problem from the Filters panel to populate the charts.
:
Chagua - tatizo kutoka kwa paneli ya Vichujio ili kujaza chati.
-
Select a video from the Filters panel to populate these charts.
:
Chagua - video kutoka kwa paneli ya Vichujio ili kujaza chati hizi.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Hesabu ya idadi ya waliojiandikisha na wasiojiandikisha kwa siku. Wanafunzi wanaweza - kujiandikisha na kujiondoa mara nyingi, katika chati hii kila uandikishaji na - kutojiandikisha kwa mtu binafsi kutahesabiwa. - Action: Kitendo - Action Cluster: Nguzo ya Kitendo - Action Count: Hesabu ya Kitendo - Action Date: Tarehe ya Hatua - Active: Inayotumika - Active Users Over Time v2: Watumiaji Hai Kwa Muda v2 - Active Users Per Organization: Watumiaji Hai kwa Kila Shirika - Actor ID: Kitambulisho cha mwigizaji - Actor IDs over time: Vitambulisho vya mwigizaji baada ya muda - Actor Id: Kitambulisho cha mwigizaji - Answers Chosen: Majibu yaliyochaguliwa - Attempts: Majaribio - Bio: Wasifu - COUNT(*): COUNT(*) - CSS: CSS - Cache Timeout: Cache Timeout - Certification Details: Maelezo ya Vyeti - Certified By: Imethibitishwa Na - Changed By Fk: Ilibadilishwa na Fk - Changed On: Imebadilishwa - Chart Count: Hesabu ya Chati - Chart showing the number of Superset actions taken by each user over the selected time period.: Chati - inayoonyesha idadi ya hatua za Superset zilizochukuliwa na kila mtumiaji katika - muda uliochaguliwa. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Chati - inayoonyesha idadi ya hatua za Superset zilizochukuliwa kwenye kila chati katika - muda uliochaguliwa. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Chati - inayoonyesha idadi ya hatua za Superset zilizochukuliwa kwenye kila dashibodi - katika muda uliochaguliwa. - Chart showing the number of registered users over the selected time period.: Chati - inayoonyesha idadi ya watumiaji waliosajiliwa katika muda uliochaguliwa. - Charts by Type: Chati kwa Aina - City: Jiji - ClickHouse: ClickHouse - ClickHouse metrics: Vipimo vya ClickHouse - Count of charts created in Superset over the selected time period.: Idadi ya chati - zilizoundwa katika Superset katika muda uliochaguliwa. - Count of dashboards created in Superset over the selected time period.: Idadi ya - dashibodi zilizoundwa katika Superset katika muda uliochaguliwa. - Count of the various types of charts created in Superset over the selected time period.: Hesabu - ya aina mbalimbali za chati zilizoundwa katika Superset katika muda uliochaguliwa. - Count of unique users who performed an action in Superset over the selected time period.: Idadi - ya watumiaji mahususi waliotekeleza kitendo katika Superset katika muda uliochaguliwa. - Count over time of unique users who performed an action in Superset over the selected time period.: Hesabu - kwa muda wa watumiaji mahususi waliotekeleza kitendo katika Superset katika muda - uliochaguliwa. - Country: Nchi - Course Data JSON: Data ya Kozi JSON - Course End: Mwisho wa Kozi - Course Enrollment: Uandikishaji wa Kozi - Course Enrollments Over Time: Uandikishaji wa Kozi kwa Muda - Course Grade (out of 100%): Daraja la Kozi (kati ya 100%) - Course Grade Distribution: Usambazaji wa Daraja la Kozi - Course ID: Kitambulisho cha kozi - Course Key: Ufunguo wa Kozi - Course Key Short: Ufunguo Mfupi wa Kozi - Course Name: Jina la kozi - Course Run: Mbio za Kozi - Course Start: Anza Kozi - Course name: Jina la kozi - Course run: Mbio za kozi - Courses: Kozi - Courses Per Organization: Kozi kwa kila Shirika - Courseware: Vyombo vya mafunzo - Created: Imeundwa - Created By Fk: Imeundwa na Fk - Created On: Imeundwa Juu - Currently Enrolled Learners Per Day: Wanafunzi Waliojiandikisha Kwa Siku Kwa Sasa - Dashboard Count: Hesabu ya Dashibodi - Dashboard ID: Dashibodi ID - Dashboard Status: Hali ya Dashibodi - Dashboard Title: Kichwa cha Dashibodi - Datasource ID: Kitambulisho cha chanzo cha data - Datasource Name: Jina la Rasilimali Data - Datasource Type: Aina ya Rasilimali Data - Description: Maelezo - Display Name: Jina la Kuonyesha - Distinct forum users: Watumiaji tofauti wa jukwaa - Distribution Of Attempts: Usambazaji wa Majaribio - Distribution Of Hints Per Correct Answer: Usambazaji wa Vidokezo Kwa Jibu Sahihi - Distribution Of Problem Grades: Usambazaji wa Madaraja ya Tatizo - Distribution Of Responses: Usambazaji wa Majibu - Dump ID: Kitambulisho cha kutupa - Duration (Seconds): Muda (Sekunde) - Edited On: Imehaririwa On - Email: Barua pepe - Emission Time: Wakati wa Utoaji - Enrollment End: Mwisho wa Uandikishaji - Enrollment Events Per Day: Matukio ya Uandikishaji Kwa Siku - Enrollment Mode: Hali ya Kujiandikisha - Enrollment Start: Anza Kujiandikisha - Enrollment Status: Hali ya Uandikishaji - Enrollment Status Date: Tarehe ya Hali ya Kujiandikisha - Enrollments: Uandikishaji - Enrollments By Enrollment Mode: Uandikishaji Kulingana na Hali ya Kujiandikisha - Enrollments By Type: Uandikishaji Kulingana na Aina - Entity Name: Jina la Huluki - Event ID: Kitambulisho cha tukio - Event String: Kamba ya Tukio - Event Time: Muda wa Tukio - Event type: Aina ya tukio - Events per course: Matukio kwa kila kozi - External ID Type: Aina ya Kitambulisho cha Nje - External Url: Url ya Nje - External User ID: Kitambulisho cha Mtumiaji wa Nje - Fail Login Count: Hesabu ya Kuingia Imeshindwa - First Name: Jina la kwanza - Forum Interaction: Maingiliano ya Jukwaa - Gender: Jinsia - Goals: Malengo - Grade Bucket: Ndoo ya daraja - Grade Type: Aina ya Daraja - Help: Msaada - Hints / Answer Displayed Before Correct Answer Chosen: Vidokezo / Jibu Limeonyeshwa - Kabla ya Jibu Sahihi Kuchaguliwa - ID: ID - Id: Kitambulisho - Instance Health: Mfano Afya - Instructor Dashboard: Dashibodi ya Mwalimu - Is Managed Externally: Inasimamiwa Nje - JSON Metadata: Metadata ya JSON - Language: Lugha - Last Login: Mwisho wa Kuingia - Last Name: Jina la familia - Last Received Event: Tukio Lililopokelewa Mwisho - Last Saved At: Ilihifadhiwa Mwisho - Last Saved By Fk: Ilihifadhiwa Mwisho na Fk - Last course syncronized: Kozi ya mwisho ilisawazishwa - Level of Education: Kiwango cha Elimu - Location: Mahali - Login Count: Hesabu ya Kuingia - Mailing Address: Anwani ya posta - Memory Usage (KB): Matumizi ya Kumbukumbu (KB) - Meta: Meta - Modified: Imebadilishwa - Most Active Courses Per Day: Kozi Amilifu Zaidi Kwa Siku - Most-used Charts: Chati zinazotumika zaidi - Most-used Dashboards: Dashibodi zinazotumika zaidi - Name: Jina - Number Of Attempts To Find Correct Answer: Idadi ya Majaribio ya Kupata Jibu Sahihi - Number Of Students: Idadi ya Wanafunzi - Number Of Users: Idadi ya Watumiaji - Number Of Viewers / Views: Idadi ya Watazamaji / Maoni - Number of Answers Displayed: Idadi ya Majibu Yanayoonyeshwa - Number of Hints Displayed: Idadi ya Vidokezo Vilivyoonyeshwa - Number of Posts: Idadi ya Machapisho - Number of Users / Uses: Idadi ya Watumiaji / Matumizi - Number of Views / Viewers: Idadi ya Watazamaji / Watazamaji - Number of users: Idadi ya watumiaji - Object ID: Kitambulisho cha kitu - Object Type: Aina ya Kitu - Operator Dashboard: Dashibodi ya Opereta - Order: Agizo - Organization: Shirika - Organizations: Mashirika - Parameters: Vigezo - Password: Nenosiri - Percentage Grade: Asilimia ya Daraja - Perm: Perm - Phone Number: Nambari ya simu - Position Json: Nafasi ya Json - Posts per user: Machapisho kwa kila mtumiaji - Problem Engagement: Tatizo Uchumba - Problem Id: Kitambulisho cha Tatizo - Problem Name: Jina la Tatizo - Problem Name With Location: Jina la Tatizo na Mahali - Problem Performance: Utendaji wa Tatizo - Problem name: Jina la tatizo - Profile Image Uploaded At: Picha ya Wasifu Imepakiwa Katika - Published: Imechapishwa - Query: Hoja - Query Context: Muktadha wa Maswali - Query performance: Utendaji wa hoja - Question Title: Kichwa cha Swali - Read Rows: Soma Safu - Repeat Views: Rudia Maoni - Responses: Majibu - Responses Per Problem: Majibu kwa Tatizo - Scaled Score: Alama Iliyoongezwa - Schema Perm: Schema Perm - Seconds Of Video: Sekunde za Video - Segment Start: Sehemu Anza - Self Paced: Kujiendesha Mwenyewe - Slice ID: Kitambulisho cha kipande - Slice Name: Jina la kipande - Slowest ClickHouse Queries: Maswali ya polepole zaidi ya ClickHouse - Slug: Konokono - Started At: Ilianza Saa - State: Jimbo - Students: Wanafunzi - Success: Mafanikio - Superset: Superset - Superset Active Users: Superset Active Watumiaji - Superset Active Users Over Time: Superset Watumiaji Wanaotumika Kwa Wakati - Superset Registered Users Over Time: Superset Watumiaji Waliosajiliwa Kwa Muda - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Jumla ya jumla ya wanafunzi wa kipekee walioandikishwa kulingana na hali yao ya - uandikishaji mwishoni mwa kila siku. Ikiwa mwanafunzi aliandikishwa hapo awali, - lakini ameacha kozi tangu wakati huo, hazihesabiwi kuanzia tarehe aliyoondoka. - Wakijiandikisha tena katika kozi watahesabiwa tena. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Idadi ya sasa ya waliojiandikisha kulingana na aina yao ya hivi majuzi ya uandikishaji, - kwa hivyo ikiwa mwanafunzi atapandishwa hadhi kutoka kwa Ukaguzi hadi Kuidhinishwa - atahesabiwa mara moja tu kama Imethibitishwa. Wanafunzi ambao hawajajiandikisha - katika kozi hawahesabiwi. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Usambazaji - wa alama za kozi, kati ya 100%. Madarasa yamepangwa katika safu za 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Idadi ya wanafunzi ambao wamejibu swali, na kama wamewahi kujibu kwa usahihi. - Wanafunzi wanaweza kujibu baadhi ya maswali mara kadhaa, lakini chati hii huhesabu - kila mwanafunzi mara moja tu kwa kila swali. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Chati hii ya maonyesho ya hesabu ya idadi ya mara vidokezo (pamoja na kuonyesha - jibu lenyewe) vilionyeshwa kwa kila mwanafunzi ambaye hatimaye alijibu tatizo - kwa usahihi. Ikiwa tatizo halikuwa na kidokezo au onyesho la jibu lililosanidiwa - chati hii itaweka kila mtu katika "0". - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Chati hii husaidia kuelewa ni wanafunzi wangapi wanaotumia manukuu ya video au - maelezo mafupi. Ikiwa video haina manukuu au manukuu chati itakuwa tupu. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Chati hii inaonyesha ni wanafunzi wangapi wa kipekee ambao wametazama kila video, - na ni maoni ngapi ya marudio ambayo kila mmoja amepata. Ikiwa video haijawahi - kuchezwa haitaonekana kwenye chati hii. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Chati hii inaonyesha ni mara ngapi jibu au mchanganyiko wa majibu (ya chaguo nyingi) - huchaguliwa na wanafunzi. Baadhi ya matatizo huruhusu wanafunzi kuwasilisha jibu - zaidi ya mara moja, chati hii itajumuisha majibu yote katika hali hiyo. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Chati hii inaonyesha idadi ya majaribio ambayo wanafunzi walihitaji kufanya kabla - ya kupata jibu sahihi la tatizo. Hii inahesabu wanafunzi ambao hatimaye walijibu - kwa usahihi. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Chati hii inaonyesha idadi ya wanafunzi waliopata alama ndani ya asilimia fulani - ya pointi kwa tatizo hili. Kwa matatizo ambayo ni pass/fail itaonyesha tu masafa - ya chini na ya juu zaidi. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Chati hii inaonyesha ni sehemu gani za video hutazamwa zaidi, na ni zipi hutazamwa - tena zaidi. Kila sehemu inawakilisha sekunde 5 za video. - Time Last Dumped: Wakati wa Mwisho Kutupwa - Time Range: Safu ya Muda - Time range: Masafa ya muda - Total Actors v2: Jumla ya Waigizaji v2 - Total Hints: Vidokezo Jumla - Total Organizations: Jumla ya Mashirika - Total Views: Jumla ya Maoni - Total plays: Jumla ya michezo - Total transcript usage: Jumla ya matumizi ya nakala - Transcripts / Captions Per Video: Nakala / Manukuu kwa kila Video - UUID: UUID - Unique Transcript Users: Watumiaji wa Nakala za Kipekee - Unique Viewers: Watazamaji wa Kipekee - Unique Watchers: Watazamaji wa Kipekee - Unique actors: Waigizaji wa kipekee - User Actions: Vitendo vya Mtumiaji - User ID: Kitambulisho cha Mtumiaji - User Name: Jina la mtumiaji - User Registration Date: Tarehe ya Usajili wa Mtumiaji - Username: Jina la mtumiaji - Value: Thamani - Verb: Kitenzi - Verb ID: Kitambulisho cha kitenzi - Video Engagement: Uchumba wa Video - Video Event: Tukio la Video - Video Id: Kitambulisho cha Video - Video Name: Jina la Video - Video Name With Location: Jina la Video Na Mahali - Video Performance: Utendaji wa Video - Video Title: Kichwa cha Video - Video name: Jina la video - Viz Type: Aina ya Viz - Watched Video Segments: Sehemu za Video Zilizotazamwa - Watches Per Video: Kutazama kwa Video - XBlock Data JSON: Data ya XBlock JSON - Year of Birth: Mwaka wa kuzaliwa - audit: ukaguzi - honor: heshima - registered: kusajiliwa - unregistered: haijasajiliwa - verified: imethibitishwa - xAPI Events Over Time: Matukio ya xAPI kwa Muda - xAPI Events Over Time v2: Matukio ya xAPI kwa Muda v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -te: - '': '' -
Filter these results by selecting various options from the filters panel.
:
ఫిల్టర్‌ల - ప్యానెల్ నుండి వివిధ ఎంపికలను ఎంచుకోవడం ద్వారా ఈ ఫలితాలను ఫిల్టర్ చేయండి.
-
Select a course from the Filters panel to populate these charts.
:
ఈ - చార్ట్‌లను పాపులేట్ చేయడానికి ఫిల్టర్‌ల ప్యానెల్ నుండి కోర్సును ఎంచుకోండి.
-
Select a problem from the Filters panel to populate the charts.
:
చార్ట్‌లను - పాపులేట్ చేయడానికి ఫిల్టర్‌ల ప్యానెల్ నుండి సమస్యను ఎంచుకోండి.
-
Select a video from the Filters panel to populate these charts.
:
ఈ - చార్ట్‌లను పాపులేట్ చేయడానికి ఫిల్టర్‌ల ప్యానెల్ నుండి వీడియోను ఎంచుకోండి.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : రోజుకు ఎన్‌రోల్‌మెంట్‌లు మరియు అన్-ఎన్‌రోల్‌మెంట్‌ల సంఖ్య. అభ్యాసకులు అనేకసార్లు - నమోదు చేసుకోవచ్చు మరియు అన్‌ఎన్‌రోల్ చేయవచ్చు, ఈ చార్ట్‌లో ప్రతి వ్యక్తి నమోదు - మరియు అన్‌ఎన్‌రోల్‌మెంట్ లెక్కించబడతాయి. - Action: చర్య - Action Cluster: యాక్షన్ క్లస్టర్ - Action Count: యాక్షన్ కౌంట్ - Action Date: చర్య తేదీ - Active: చురుకుగా - Active Users Over Time v2: కాలక్రమేణా క్రియాశీల వినియోగదారులు v2 - Active Users Per Organization: ప్రతి సంస్థకు క్రియాశీల వినియోగదారులు - Actor ID: నటుడి ID - Actor IDs over time: కాలక్రమేణా నటుల IDలు - Actor Id: నటుడు Id - Answers Chosen: సమాధానాలు ఎంపిక చేయబడ్డాయి - Attempts: ప్రయత్నాలు - Bio: బయో - COUNT(*): COUNT(*) - CSS: CSS - Cache Timeout: కాష్ గడువు ముగిసింది - Certification Details: సర్టిఫికేషన్ వివరాలు - Certified By: ద్వారా ధృవీకరించబడింది - Changed By Fk: Fk ద్వారా మార్చబడింది - Changed On: మార్చబడింది - Chart Count: చార్ట్ కౌంట్ - Chart showing the number of Superset actions taken by each user over the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో ప్రతి వినియోగదారు తీసుకున్న సూపర్‌సెట్ చర్యల సంఖ్యను చూపే చార్ట్. - Chart showing the number of Superset actions taken on each chart in the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో ప్రతి చార్ట్‌లో తీసుకున్న సూపర్‌సెట్ చర్యల సంఖ్యను చూపే చార్ట్. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో ప్రతి డ్యాష్‌బోర్డ్‌లో తీసుకున్న సూపర్‌సెట్ చర్యల సంఖ్యను చూపే చార్ట్. - Chart showing the number of registered users over the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో నమోదిత వినియోగదారుల సంఖ్యను చూపే చార్ట్. - Charts by Type: రకం ద్వారా చార్ట్‌లు - City: నగరం - ClickHouse: క్లిక్‌హౌస్ - ClickHouse metrics: క్లిక్‌హౌస్ కొలమానాలు - Count of charts created in Superset over the selected time period.: ఎంచుకున్న సమయ - వ్యవధిలో సూపర్‌సెట్‌లో సృష్టించబడిన చార్ట్‌ల గణన. - Count of dashboards created in Superset over the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో సూపర్‌సెట్‌లో సృష్టించబడిన డాష్‌బోర్డ్‌ల సంఖ్య. - Count of the various types of charts created in Superset over the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో సూపర్‌సెట్‌లో సృష్టించబడిన వివిధ రకాల చార్ట్‌ల గణన. - Count of unique users who performed an action in Superset over the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో సూపర్‌సెట్‌లో చర్యను ప్రదర్శించిన ప్రత్యేక వినియోగదారుల సంఖ్య. - Count over time of unique users who performed an action in Superset over the selected time period.: ఎంచుకున్న - సమయ వ్యవధిలో సూపర్‌సెట్‌లో చర్యను ప్రదర్శించిన ప్రత్యేక వినియోగదారులను కాలానుగుణంగా - లెక్కించండి. - Country: దేశం - Course Data JSON: కోర్సు డేటా JSON - Course End: కోర్సు ముగింపు - Course Enrollment: కోర్సు నమోదు - Course Enrollments Over Time: కాలక్రమేణా కోర్సు నమోదులు - Course Grade (out of 100%): కోర్సు గ్రేడ్ (100%లో) - Course Grade Distribution: కోర్సు గ్రేడ్ పంపిణీ - Course ID: కోర్సు ID - Course Key: కోర్సు కీ - Course Key Short: కోర్సు కీ చిన్నది - Course Name: కోర్సు పేరు - Course Run: కోర్సు రన్ - Course Start: కోర్సు ప్రారంభం - Course name: కోర్సు పేరు - Course run: కోర్సు అమలు - Courses: కోర్సులు - Courses Per Organization: ఒక్కో సంస్థకు సంబంధించిన కోర్సులు - Courseware: కోర్స్వేర్ - Created: సృష్టించబడింది - Created By Fk: Fk ద్వారా సృష్టించబడింది - Created On: ఆన్ సృష్టించబడింది - Currently Enrolled Learners Per Day: ప్రస్తుతం లెర్నర్స్ పర్ డే ఎన్‌రోల్ చేయబడింది - Dashboard Count: డాష్‌బోర్డ్ కౌంట్ - Dashboard ID: డాష్‌బోర్డ్ ID - Dashboard Status: డాష్‌బోర్డ్ స్థితి - Dashboard Title: డాష్‌బోర్డ్ శీర్షిక - Datasource ID: డేటాసోర్స్ ID - Datasource Name: డేటాసోర్స్ పేరు - Datasource Type: డేటాసోర్స్ రకం - Description: వివరణ - Display Name: ప్రదర్శన పేరు - Distinct forum users: ప్రత్యేక ఫోరమ్ వినియోగదారులు - Distribution Of Attempts: ప్రయత్నాల పంపిణీ - Distribution Of Hints Per Correct Answer: సరైన సమాధానానికి సూచనల పంపిణీ - Distribution Of Problem Grades: సమస్య గ్రేడ్‌ల పంపిణీ - Distribution Of Responses: ప్రతిస్పందనల పంపిణీ - Dump ID: డంప్ ID - Duration (Seconds): వ్యవధి (సెకన్లు) - Edited On: సవరించబడింది - Email: ఇమెయిల్ - Emission Time: ఉద్గార సమయం - Enrollment End: నమోదు ముగింపు - Enrollment Events Per Day: రోజుకు నమోదు ఈవెంట్‌లు - Enrollment Mode: నమోదు మోడ్ - Enrollment Start: నమోదు ప్రారంభం - Enrollment Status: నమోదు స్థితి - Enrollment Status Date: నమోదు స్థితి తేదీ - Enrollments: నమోదులు - Enrollments By Enrollment Mode: నమోదు మోడ్ ద్వారా నమోదులు - Enrollments By Type: రకం ద్వారా నమోదులు - Entity Name: ఎంటిటీ పేరు - Event ID: ఈవెంట్ ID - Event String: ఈవెంట్ స్ట్రింగ్ - Event Time: ఈవెంట్ సమయం - Event type: ఈవెంట్ రకం - Events per course: ఒక్కో కోర్సుకు సంబంధించిన ఈవెంట్‌లు - External ID Type: బాహ్య ID రకం - External Url: బాహ్య Url - External User ID: బాహ్య వినియోగదారు ID - Fail Login Count: విఫలమైన లాగిన్ కౌంట్ - First Name: మొదటి పేరు - Forum Interaction: ఫోరమ్ పరస్పర చర్య - Gender: లింగం - Goals: లక్ష్యాలు - Grade Bucket: గ్రేడ్ బకెట్ - Grade Type: గ్రేడ్ రకం - Help: సహాయం - Hints / Answer Displayed Before Correct Answer Chosen: సరైన సమాధానం ఎంచుకునే ముందు - సూచనలు / సమాధానం ప్రదర్శించబడుతుంది - ID: ID - Id: Id - Instance Health: ఉదాహరణ ఆరోగ్యం - Instructor Dashboard: బోధకుడు డాష్‌బోర్డ్ - Is Managed Externally: బాహ్యంగా నిర్వహించబడుతుంది - JSON Metadata: JSON మెటాడేటా - Language: భాష - Last Login: చివరి లాగిన్ - Last Name: చివరి పేరు - Last Received Event: చివరిగా స్వీకరించిన ఈవెంట్ - Last Saved At: చివరిగా సేవ్ చేయబడింది - Last Saved By Fk: Fk ద్వారా చివరిగా సేవ్ చేయబడింది - Last course syncronized: చివరి కోర్సు సమకాలీకరించబడింది - Level of Education: విద్య యొక్క స్థాయి - Location: స్థానం - Login Count: లాగిన్ కౌంట్ - Mailing Address: మెయిలింగ్ చిరునామా - Memory Usage (KB): మెమరీ వినియోగం (KB) - Meta: మెటా - Modified: సవరించబడింది - Most Active Courses Per Day: రోజుకు అత్యంత యాక్టివ్ కోర్సులు - Most-used Charts: ఎక్కువగా ఉపయోగించే చార్ట్‌లు - Most-used Dashboards: ఎక్కువగా ఉపయోగించే డాష్‌బోర్డ్‌లు - Name: పేరు - Number Of Attempts To Find Correct Answer: సరైన సమాధానాన్ని కనుగొనడానికి చేసిన ప్రయత్నాల - సంఖ్య - Number Of Students: విద్యార్థుల సంఖ్య - Number Of Users: వినియోగదారుల సంఖ్య - Number Of Viewers / Views: వీక్షకుల సంఖ్య / వీక్షణలు - Number of Answers Displayed: సమాధానాల సంఖ్య ప్రదర్శించబడింది - Number of Hints Displayed: ప్రదర్శించబడిన సూచనల సంఖ్య - Number of Posts: పోస్ట్‌ల సంఖ్య - Number of Users / Uses: వినియోగదారుల సంఖ్య / ఉపయోగాలు - Number of Views / Viewers: వీక్షణలు / వీక్షకుల సంఖ్య - Number of users: వినియోగదారుల సంఖ్య - Object ID: ఆబ్జెక్ట్ ID - Object Type: వస్తువు రకం - Operator Dashboard: ఆపరేటర్ డాష్‌బోర్డ్ - Order: ఆర్డర్ చేయండి - Organization: సంస్థ - Organizations: సంస్థలు - Parameters: పారామితులు - Password: పాస్వర్డ్ - Percentage Grade: శాతం గ్రేడ్ - Perm: పెర్మ్ - Phone Number: ఫోను నంబరు - Position Json: స్థానం Json - Posts per user: ఒక్కో వినియోగదారుకు పోస్ట్‌లు - Problem Engagement: సమస్య నిశ్చితార్థం - Problem Id: సమస్య ID - Problem Name: సమస్య పేరు - Problem Name With Location: లొకేషన్‌తో సమస్య పేరు - Problem Performance: సమస్య పనితీరు - Problem name: సమస్య పేరు - Profile Image Uploaded At: ప్రొఫైల్ చిత్రం అప్‌లోడ్ చేయబడింది - Published: ప్రచురించబడింది - Query: ప్రశ్న - Query Context: ప్రశ్న సందర్భం - Query performance: ప్రశ్న పనితీరు - Question Title: ప్రశ్న శీర్షిక - Read Rows: వరుసలను చదవండి - Repeat Views: పునరావృత వీక్షణలు - Responses: ప్రతిస్పందనలు - Responses Per Problem: ప్రతి సమస్యకు ప్రతిస్పందనలు - Scaled Score: స్కేల్ స్కోర్ - Schema Perm: స్కీమా పెర్మ్ - Seconds Of Video: సెకన్ల వీడియో - Segment Start: సెగ్మెంట్ ప్రారంభం - Self Paced: సెల్ఫ్ పేస్డ్ - Slice ID: స్లైస్ ID - Slice Name: ముక్క పేరు - Slowest ClickHouse Queries: నెమ్మదైన క్లిక్‌హౌస్ ప్రశ్నలు - Slug: స్లగ్ - Started At: వద్ద ప్రారంభించబడింది - State: రాష్ట్రం - Students: విద్యార్థులు - Success: విజయం - Superset: సూపర్‌సెట్ - Superset Active Users: యాక్టివ్ యూజర్‌లను సూపర్‌సెట్ చేయండి - Superset Active Users Over Time: కాలక్రమేణా యాక్టివ్ యూజర్‌లను సూపర్‌సెట్ చేయండి - Superset Registered Users Over Time: కాలక్రమేణా నమోదిత వినియోగదారులను సూపర్‌సెట్ - చేయండి - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : ప్రతి రోజు చివరిలో వారి నమోదు స్థితి ఆధారంగా ప్రత్యేకమైన నమోదు చేసుకున్న అభ్యాసకుల - సంచిత మొత్తం. ఒక అభ్యాసకుడు ఇంతకు ముందు నమోదు చేసుకున్నప్పటికీ, ఆ తర్వాత కోర్సు - నుండి నిష్క్రమించినట్లయితే, వారు విడిచిపెట్టిన తేదీగా పరిగణించబడరు. వారు తిరిగి - కోర్సులో నమోదు చేసుకుంటే వారు మళ్లీ లెక్కించబడతారు. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : వారి అత్యంత ఇటీవలి ఎన్‌రోల్‌మెంట్ రకం ద్వారా సక్రియ నమోదుల ప్రస్తుత గణన, కాబట్టి - అభ్యాసకుడు ఆడిట్ నుండి వెరిఫైడ్‌కు అప్‌గ్రేడ్ చేసినట్లయితే, వారు ఒకసారి ధృవీకరించబడినట్లుగా - మాత్రమే లెక్కించబడతారు. కోర్సులో అన్-ఎన్రోల్ చేసుకున్న అభ్యాసకులు లెక్కించబడరు. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: 100%లో - ఒక కోర్సు కోసం గ్రేడ్‌ల పంపిణీ. గ్రేడ్‌లు 10% పరిధిలో సమూహం చేయబడ్డాయి. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : ఒక ప్రశ్నకు ప్రతిస్పందించిన విద్యార్థుల సంఖ్య మరియు వారు ఎప్పుడైనా సరైన సమాధానం - ఇచ్చారా. విద్యార్థులు కొన్ని ప్రశ్నలకు అనేకసార్లు సమాధానం ఇవ్వగలరు, కానీ ఈ చార్ట్ - ప్రతి విద్యార్థిని ఒక్కో ప్రశ్నకు ఒకసారి మాత్రమే గణిస్తుంది. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : ఈ చార్ట్ సమస్యకు సరిగ్గా సమాధానం ఇచ్చిన ప్రతి అభ్యాసకుడికి ఎన్నిసార్లు సూచనలు - (సమాధానాన్ని ప్రదర్శించడంతో సహా) ప్రదర్శించబడతాయో గణనలను ప్రదర్శిస్తుంది. సమస్యకు - సూచన లేదా సమాధాన ప్రదర్శన కాన్ఫిగర్ చేయబడకపోతే, ఈ చార్ట్ ప్రతి ఒక్కరినీ "0"గా - సమూహపరుస్తుంది. - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : వీడియో ట్రాన్‌స్క్రిప్ట్‌లు లేదా క్లోజ్డ్ క్యాప్షన్‌లను ఎంత మంది అభ్యాసకులు ఉపయోగిస్తున్నారో - అర్థం చేసుకోవడానికి ఈ చార్ట్ సహాయపడుతుంది. వీడియోలో లిప్యంతరీకరణలు లేదా శీర్షికలు - లేకుంటే చార్ట్ ఖాళీగా ఉంటుంది. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : ఈ చార్ట్ ప్రతి వీడియోను ఎంత మంది ప్రత్యేక అభ్యాసకులు వీక్షించారు మరియు ప్రతి ఒక్కరు - ఎన్ని పునరావృత వీక్షణలను పొందారు. ఒక వీడియో ఎప్పుడూ ప్లే చేయకపోతే అది ఈ చార్ట్‌లో - కనిపించదు. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : అభ్యాసకులు ఎంత తరచుగా సమాధానం లేదా సమాధానాల కలయిక (బహుళ ఎంపిక కోసం) ఎంపిక చేయబడుతుందో - ఈ చార్ట్ చూపుతుంది. కొన్ని సమస్యలు అభ్యాసకులు ఒకటి కంటే ఎక్కువసార్లు ప్రతిస్పందనను - సమర్పించడానికి అనుమతిస్తాయి, ఈ చార్ట్ ఆ సందర్భంలోని అన్ని ప్రతిస్పందనలను కలిగి - ఉంటుంది. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : ఈ చార్ట్ సమస్యకు సరైన సమాధానాన్ని పొందే ముందు విద్యార్థులు చేయాల్సిన ప్రయత్నాల - సంఖ్యను చూపుతుంది. ఇది చివరికి సరిగ్గా సమాధానం ఇచ్చిన విద్యార్థులను మాత్రమే గణిస్తుంది. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'ఈ సమస్య కోసం నిర్దిష్ట శాతం పాయింట్ల లోపల స్కోర్ చేసిన విద్యార్థుల సంఖ్యను ఈ - చార్ట్ చూపుతుంది. ఉత్తీర్ణత/ఫెయిల్ అయిన సమస్యల కోసం ఇది అత్యల్ప మరియు అత్యధిక - శాతం పరిధులను మాత్రమే చూపుతుంది. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : ఈ చార్ట్ వీడియోలోని ఏ భాగాలను ఎక్కువగా వీక్షించబడుతుందో మరియు ఏది ఎక్కువగా తిరిగి - వీక్షించబడుతుందో చూపిస్తుంది. ప్రతి సెగ్మెంట్ 5 సెకన్ల వీడియోను సూచిస్తుంది. - Time Last Dumped: చివరిగా డంప్ చేయబడిన సమయం - Time Range: సమయ పరిధి - Time range: సమయ పరిధి - Total Actors v2: మొత్తం నటులు v2 - Total Hints: మొత్తం సూచనలు - Total Organizations: మొత్తం సంస్థలు - Total Views: మొత్తం వీక్షణలు - Total plays: మొత్తం నాటకాలు - Total transcript usage: మొత్తం ట్రాన్స్క్రిప్ట్ వినియోగం - Transcripts / Captions Per Video: ప్రతి వీడియోకి ట్రాన్‌స్క్రిప్ట్‌లు / శీర్షికలు - UUID: UUID - Unique Transcript Users: ప్రత్యేక ట్రాన్స్క్రిప్ట్ వినియోగదారులు - Unique Viewers: ప్రత్యేక వీక్షకులు - Unique Watchers: ప్రత్యేక వీక్షకులు - Unique actors: విలక్షణ నటులు - User Actions: వినియోగదారు చర్యలు - User ID: వినియోగదారుని గుర్తింపు - User Name: వినియోగదారు పేరు - User Registration Date: వినియోగదారు నమోదు తేదీ - Username: వినియోగదారు పేరు - Value: విలువ - Verb: క్రియ - Verb ID: క్రియ ID - Video Engagement: వీడియో ఎంగేజ్‌మెంట్ - Video Event: వీడియో ఈవెంట్ - Video Id: వీడియో ఐడి - Video Name: వీడియో పేరు - Video Name With Location: స్థానంతో వీడియో పేరు - Video Performance: వీడియో పనితీరు - Video Title: వీడియో శీర్షిక - Video name: వీడియో పేరు - Viz Type: విజ్ రకం - Watched Video Segments: వీడియో విభాగాలను వీక్షించారు - Watches Per Video: ఒక్కో వీడియోకి వీక్షణలు - XBlock Data JSON: XBlock డేటా JSON - Year of Birth: పుట్టిన సంవత్సరం - audit: ఆడిట్ - honor: గౌరవం - registered: నమోదు చేయబడింది - unregistered: నమోదు చేయబడలేదు - verified: ధృవీకరించబడింది - xAPI Events Over Time: కాలక్రమేణా xAPI ఈవెంట్‌లు - xAPI Events Over Time v2: కాలక్రమేణా xAPI ఈవెంట్‌లు v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -th: - '': '' -
Filter these results by selecting various options from the filters panel.
:
กรองผลลัพธ์เหล่านี้โดยเลือกตัวเลือกต่างๆ - จากแผงตัวกรอง
-
Select a course from the Filters panel to populate these charts.
:
เลือกหลักสูตรจากแผงตัวกรองเพื่อเติมแผนภูมิเหล่านี้
-
Select a problem from the Filters panel to populate the charts.
:
เลือกปัญหาจากแผงตัวกรองเพื่อเติมแผนภูมิ
-
Select a video from the Filters panel to populate these charts.
:
เลือกวิดีโอจากแผงตัวกรองเพื่อเติมแผนภูมิเหล่านี้
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : การนับจำนวนการลงทะเบียนและการยกเลิกการลงทะเบียนต่อวัน ผู้เรียนสามารถลงทะเบียนและยกเลิกการลงทะเบียนได้หลายครั้ง - ในแผนภูมินี้ การลงทะเบียนและยกเลิกการลงทะเบียนแต่ละรายการจะถูกนับ - Action: Action - Action Cluster: คลัสเตอร์การดำเนินการ - Action Count: จำนวนการกระทำ - Action Date: วันที่ดำเนินการ - Active: กำลังใช้งาน - Active Users Over Time v2: ผู้ใช้ที่ใช้งานอยู่ในช่วงเวลาหนึ่ง v2 - Active Users Per Organization: ผู้ใช้ที่ใช้งานอยู่ต่อองค์กร - Actor ID: รหัสนักแสดง - Actor IDs over time: รหัสนักแสดงในช่วงเวลาหนึ่ง - Actor Id: รหัสนักแสดง - Answers Chosen: คำตอบที่ถูกเลือก - Attempts: ความพยายาม - Bio: ไบโอ - COUNT(*): นับ(*) - CSS: ซีเอสเอส - Cache Timeout: แคชหมดเวลา - Certification Details: รายละเอียดการรับรอง - Certified By: ได้รับการรับรองโดย - Changed By Fk: เปลี่ยนโดย Fk - Changed On: เปลี่ยนแล้ว - Chart Count: จำนวนแผนภูมิ - Chart showing the number of Superset actions taken by each user over the selected time period.: แผนภูมิแสดงจำนวนการดำเนินการ - Superset ที่ผู้ใช้แต่ละรายทำในช่วงเวลาที่เลือก - Chart showing the number of Superset actions taken on each chart in the selected time period.: แผนภูมิแสดงจำนวนการดำเนินการ - Superset ที่เกิดขึ้นในแต่ละแผนภูมิในช่วงเวลาที่เลือก - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: แผนภูมิแสดงจำนวนการดำเนินการ - Superset ที่เกิดขึ้นในแต่ละแดชบอร์ดในช่วงเวลาที่เลือก - Chart showing the number of registered users over the selected time period.: แผนภูมิแสดงจำนวนผู้ใช้ที่ลงทะเบียนในช่วงเวลาที่เลือก - Charts by Type: แผนภูมิตามประเภท - City: เมือง - ClickHouse: คลิกเฮาส์ - ClickHouse metrics: ตัวชี้วัด ClickHouse - Count of charts created in Superset over the selected time period.: จำนวนแผนภูมิที่สร้างใน - Superset ในช่วงเวลาที่เลือก - Count of dashboards created in Superset over the selected time period.: จำนวนแดชบอร์ดที่สร้างใน - Superset ในช่วงเวลาที่เลือก - Count of the various types of charts created in Superset over the selected time period.: จำนวนแผนภูมิประเภทต่างๆ - ที่สร้างใน Superset ในช่วงเวลาที่เลือก - Count of unique users who performed an action in Superset over the selected time period.: จำนวนผู้ใช้ที่ไม่ซ้ำซึ่งดำเนินการใน - Superset ในช่วงเวลาที่เลือก - Count over time of unique users who performed an action in Superset over the selected time period.: นับตามเวลาของผู้ใช้ที่ไม่ซ้ำซึ่งดำเนินการใน - Superset ในช่วงเวลาที่เลือก - Country: ประเทศ - Course Data JSON: ข้อมูลหลักสูตร JSON - Course End: Course End - Course Enrollment: การลงทะเบียนหลักสูตร - Course Enrollments Over Time: การลงทะเบียนหลักสูตรเมื่อเวลาผ่านไป - Course Grade (out of 100%): เกรดหลักสูตร (เต็ม 100%) - Course Grade Distribution: การกระจายเกรดของหลักสูตร - Course ID: รหัสหลักสูตร - Course Key: รหัสหลักสูตร - Course Key Short: คีย์หลักสูตรระยะสั้น - Course Name: ชื่อหลักสูตร - Course Run: เปิดการทำงานหลักสูตร - Course Start: Course Start - Course name: ชื่อหลักสูตร - Course run: วิ่งแน่นอน - Courses: หลักสูตร - Courses Per Organization: หลักสูตรต่อองค์กร - Courseware: บทเรียน - Created: สร้างแล้ว - Created By Fk: สร้างโดย Fk - Created On: สร้างบน - Currently Enrolled Learners Per Day: ผู้เรียนที่ลงทะเบียนในปัจจุบันต่อวัน - Dashboard Count: จำนวนแดชบอร์ด - Dashboard ID: รหัสแดชบอร์ด - Dashboard Status: สถานะแดชบอร์ด - Dashboard Title: ชื่อแดชบอร์ด - Datasource ID: รหัสแหล่งข้อมูล - Datasource Name: ชื่อแหล่งข้อมูล - Datasource Type: ประเภทแหล่งข้อมูล - Description: Description - Display Name: ชื่อที่แสดง - Distinct forum users: ผู้ใช้ฟอรัมที่แตกต่าง - Distribution Of Attempts: การกระจายความพยายาม - Distribution Of Hints Per Correct Answer: การกระจายคำแนะนำต่อคำตอบที่ถูกต้อง - Distribution Of Problem Grades: การกระจายเกรดของปัญหา - Distribution Of Responses: การกระจายการตอบกลับ - Dump ID: รหัสการถ่ายโอนข้อมูล - Duration (Seconds): ระยะเวลา (วินาที) - Edited On: แก้ไขเมื่อ - Email: อีเมล์ - Emission Time: เวลาที่ปล่อยออกมา - Enrollment End: สิ้นสุดการลงทะเบียน - Enrollment Events Per Day: กิจกรรมการลงทะเบียนต่อวัน - Enrollment Mode: โหมดลงทะเบียน - Enrollment Start: เริ่มลงทะเบียน - Enrollment Status: สถานะการลงทะเบียน - Enrollment Status Date: วันที่สถานะการลงทะเบียน - Enrollments: ลงทะเบียนเรียน - Enrollments By Enrollment Mode: การลงทะเบียนตามโหมดการลงทะเบียน - Enrollments By Type: การลงทะเบียนตามประเภท - Entity Name: ชื่อเอนทิตี - Event ID: รหัสเหตุการณ์ - Event String: สตริงเหตุการณ์ - Event Time: เวลากิจกรรม - Event type: ประเภทเหตุการณ์ - Events per course: เหตุการณ์ต่อหลักสูตร - External ID Type: ประเภทรหัสภายนอก - External Url: URL ภายนอก - External User ID: รหัสผู้ใช้ภายนอก - Fail Login Count: การนับการเข้าสู่ระบบล้มเหลว - First Name: ชื่อจริง - Forum Interaction: การโต้ตอบของฟอรัม - Gender: เพศ - Goals: เป้าหมาย - Grade Bucket: ถังเกรด - Grade Type: ประเภทเกรด - Help: ช่วยเหลือ - Hints / Answer Displayed Before Correct Answer Chosen: คำแนะนำ / คำตอบที่แสดงก่อนเลือกคำตอบที่ถูกต้อง - ID: รหัส - Id: รหัส - Instance Health: ความสมบูรณ์ของอินสแตนซ์ - Instructor Dashboard: แดชบอร์ดอาจารย์ผู้สอน - Is Managed Externally: ได้รับการจัดการจากภายนอก - JSON Metadata: ข้อมูลเมตา JSON - Language: ภาษา - Last Login: เข้าสู่ระบบครั้งล่าสุด - Last Name: นามสกุล - Last Received Event: เหตุการณ์ที่ได้รับล่าสุด - Last Saved At: บันทึกล่าสุดเมื่อ - Last Saved By Fk: บันทึกล่าสุดโดย Fk - Last course syncronized: ซิงโครไนซ์หลักสูตรล่าสุดแล้ว - Level of Education: ระดับการศึกษา - Location: ตำแหน่ง - Login Count: จำนวนเข้าสู่ระบบ - Mailing Address: ที่อยู่อีเมล์ - Memory Usage (KB): การใช้หน่วยความจำ (KB) - Meta: เมตา - Modified: ดัดแปลง - Most Active Courses Per Day: หลักสูตรที่มีการใช้งานมากที่สุดต่อวัน - Most-used Charts: แผนภูมิที่ใช้มากที่สุด - Most-used Dashboards: แดชบอร์ดที่ใช้มากที่สุด - Name: ชื่อ - Number Of Attempts To Find Correct Answer: จำนวนครั้งที่พยายามค้นหาคำตอบที่ถูกต้อง - Number Of Students: จำนวนนักเรียน - Number Of Users: จำนวนผู้ใช้ - Number Of Viewers / Views: จำนวนผู้ดู / การดู - Number of Answers Displayed: จำนวนคำตอบที่แสดง - Number of Hints Displayed: จำนวนคำแนะนำที่แสดง - Number of Posts: จำนวนโพสต์ - Number of Users / Uses: จำนวนผู้ใช้ / การใช้งาน - Number of Views / Viewers: จำนวนการดู / ผู้ชม - Number of users: จำนวนผู้ใช้ - Object ID: รหัสวัตถุ - Object Type: ประเภทวัตถุ - Operator Dashboard: แผงควบคุมผู้ปฏิบัติงาน - Order: รายการที่สั่ง - Organization: 'องค์กร:' - Organizations: องค์กรต่างๆ - Parameters: พารามิเตอร์ - Password: รหัสผ่าน - Percentage Grade: เกรดเปอร์เซ็นต์ - Perm: ดัดผม - Phone Number: หมายเลขโทรศัพท์ - Position Json: ตำแหน่ง เจสัน - Posts per user: โพสต์ต่อผู้ใช้ - Problem Engagement: การมีส่วนร่วมกับปัญหา - Problem Id: รหัสปัญหา - Problem Name: ชื่อปัญหา - Problem Name With Location: ชื่อปัญหาพร้อมที่ตั้ง - Problem Performance: ประสิทธิภาพปัญหา - Problem name: ชื่อปัญหา - Profile Image Uploaded At: รูปโปรไฟล์อัพโหลดที่ - Published: เผยแพร่แล้ว - Query: แบบสอบถาม - Query Context: บริบทแบบสอบถาม - Query performance: ประสิทธิภาพการสืบค้น - Question Title: ชื่อคำถาม - Read Rows: อ่านแถว - Repeat Views: การดูซ้ำ - Responses: คำตอบ - Responses Per Problem: การตอบสนองต่อปัญหา - Scaled Score: คะแนนที่ปรับขนาด - Schema Perm: สคีมาระดับการใช้งาน - Seconds Of Video: วินาทีของวิดีโอ - Segment Start: เริ่มเซ็กเมนต์ - Self Paced: Self Paced - Slice ID: รหัสชิ้น - Slice Name: ชื่อชิ้น - Slowest ClickHouse Queries: แบบสอบถาม ClickHouse ที่ช้าที่สุด - Slug: ชื่อslug - Started At: เริ่มที่ - State: สถานะ - Students: นักเรียน - Success: สำเร็จ - Superset: ซูเปอร์เซต - Superset Active Users: ผู้ใช้ที่ใช้งาน Superset - Superset Active Users Over Time: ตั้งค่าผู้ใช้ที่ใช้งานอยู่ Superset เมื่อเวลาผ่านไป - Superset Registered Users Over Time: ผู้ใช้ที่ลงทะเบียน Superset เมื่อเวลาผ่านไป - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : ยอดรวมของผู้เรียนที่ลงทะเบียนที่ไม่ซ้ำกันโดยอิงตามสถานะการลงทะเบียนเมื่อสิ้นสุดแต่ละวัน - หากผู้เรียนเคยลงทะเบียนไว้ก่อนหน้านี้แต่ได้ออกจากหลักสูตรตั้งแต่นั้นมา จะไม่นับรวมในวันที่ออกจากหลักสูตร - หากลงทะเบียนซ้ำรายวิชาจะถูกนับอีกครั้ง - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : จำนวนการลงทะเบียนที่ใช้งานอยู่ในปัจจุบันตามประเภทการลงทะเบียนล่าสุด ดังนั้น หากผู้เรียนอัปเกรดจากการตรวจสอบเป็นยืนยันแล้ว - พวกเขาจะถูกนับเป็นยืนยันแล้วเพียงครั้งเดียวเท่านั้น ผู้เรียนที่ยกเลิกการลงทะเบียนรายวิชาจะไม่นับรวม - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: การแบ่งเกรดรายวิชาเต็ม - 100% เกรดจะถูกจัดกลุ่มในช่วง 10% - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : จำนวนนักเรียนที่ตอบคำถาม และเคยตอบถูกหรือไม่ นักเรียนสามารถตอบคำถามบางข้อได้หลายครั้ง - แต่แผนภูมินี้จะนับนักเรียนแต่ละคนเพียงครั้งเดียวต่อคำถาม - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : แผนภูมินี้แสดงจำนวนครั้งที่คำแนะนำ (รวมถึงการแสดงคำตอบด้วย) ปรากฏสำหรับผู้เรียนแต่ละคนที่ในที่สุดก็ตอบปัญหาได้อย่างถูกต้อง - หากปัญหาไม่มีการแสดงคำใบ้หรือคำตอบ กำหนดค่าแผนภูมินี้จะจัดกลุ่มทุกคนเป็น "0" - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : แผนภูมินี้ช่วยให้เข้าใจจำนวนผู้เรียนที่ใช้ข้อความถอดเสียงหรือคำบรรยายของวิดีโอ - หากวิดีโอไม่มีการถอดเสียงหรือคำบรรยาย แผนภูมิจะว่างเปล่า - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : แผนภูมินี้แสดงจำนวนผู้เรียนที่ไม่ซ้ำกันที่เคยดูวิดีโอแต่ละรายการ และจำนวนการดูซ้ำที่แต่ละคนได้รับ - หากไม่เคยเล่นวิดีโอ วิดีโอจะไม่ปรากฏในแผนภูมินี้ - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : แผนภูมินี้แสดงความถี่ที่ผู้เรียนเลือกคำตอบหรือหลายคำตอบ (สำหรับการเลือกหลายข้อ) - ปัญหาบางอย่างทำให้ผู้เรียนสามารถส่งคำตอบได้มากกว่าหนึ่งครั้ง แผนภูมินี้จะรวมคำตอบทั้งหมดในกรณีนั้น - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : แผนภูมินี้แสดงจำนวนครั้งที่นักเรียนต้องทำก่อนที่จะตอบคำถามให้ถูกต้อง นับเฉพาะนักเรียนที่ตอบถูกในที่สุดเท่านั้น - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'แผนภูมินี้แสดงจำนวนนักเรียนที่ทำคะแนนได้ภายในเปอร์เซ็นต์ที่กำหนดสำหรับปัญหานี้ - สำหรับปัญหาที่ผ่าน/ไม่ผ่าน จะแสดงเฉพาะช่วงเปอร์เซ็นต์ต่ำสุดและสูงสุดเท่านั้น ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : แผนภูมินี้แสดงว่าส่วนใดของวิดีโอที่มีการดูมากที่สุด และส่วนใดที่มีการดูซ้ำมากที่สุด - แต่ละส่วนแสดงถึง 5 วินาทีของวิดีโอ - Time Last Dumped: เวลาที่ทิ้งครั้งสุดท้าย - Time Range: ช่วงเวลา - Time range: ช่วงเวลา - Total Actors v2: นักแสดงรวม v2 - Total Hints: คำแนะนำทั้งหมด - Total Organizations: องค์กรทั้งหมด - Total Views: จำนวนการดูทั้งหมด - Total plays: จำนวนละครทั้งหมด - Total transcript usage: การใช้การถอดเสียงทั้งหมด - Transcripts / Captions Per Video: การถอดเสียง / คำบรรยายต่อวิดีโอ - UUID: UUID - Unique Transcript Users: ผู้ใช้การถอดเสียงที่ไม่ซ้ำ - Unique Viewers: ผู้ดูที่ไม่ซ้ำ - Unique Watchers: ผู้เฝ้าดูที่ไม่ซ้ำใคร - Unique actors: นักแสดงที่ไม่ซ้ำใคร - User Actions: การกระทำของผู้ใช้ - User ID: 'รหัสผู้ใช้ ' - User Name: ชื่อผู้ใช้ - User Registration Date: วันที่ลงทะเบียนผู้ใช้ - Username: ชื่อผู้ใช้ - Value: Value - Verb: กริยา - Verb ID: รหัสกริยา - Video Engagement: การมีส่วนร่วมกับวิดีโอ - Video Event: กิจกรรมวิดีโอ - Video Id: รหัสวิดีโอ - Video Name: ชื่อวิดีโอ - Video Name With Location: ชื่อวิดีโอพร้อมตำแหน่ง - Video Performance: ประสิทธิภาพของวิดีโอ - Video Title: ชื่อวิดีโอ - Video name: ชื่อวิดีโอ - Viz Type: กล่าวคือประเภท - Watched Video Segments: ดูกลุ่มวิดีโอ - Watches Per Video: รับชมต่อวิดีโอ - XBlock Data JSON: JSON ข้อมูล XBlock - Year of Birth: ปีที่เกิด - audit: การตรวจสอบ - honor: ให้เกียรติ - registered: ลงทะเบียนแล้ว - unregistered: ไม่ได้ลงทะเบียน - verified: ตรวจสอบแล้ว - xAPI Events Over Time: เหตุการณ์ xAPI เมื่อเวลาผ่านไป - xAPI Events Over Time v2: เหตุการณ์ xAPI เมื่อเวลาผ่านไป เวอร์ชัน 2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -tr_TR: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Filtreler - panelinden çeşitli seçenekleri belirleyerek bu sonuçları filtreleyin.
-
Select a course from the Filters panel to populate these charts.
:
Bu - grafikleri doldurmak için Filtreler panelinden bir kurs seçin.
-
Select a problem from the Filters panel to populate the charts.
:
Grafikleri - doldurmak için Filtreler panelinden bir sorun seçin.
-
Select a video from the Filters panel to populate these charts.
:
Bu - grafikleri doldurmak için Filtreler panelinden bir video seçin.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Günlük kayıt ve kayıt silme işlemlerinin sayısı. Öğrenciler birden çok kez kaydolabilir - ve kayıtlarını iptal edebilir; bu çizelgede her bir kayıt ve kayıt silme işlemi - sayılacaktır. - Action: Eylem - Action Cluster: Eylem Kümesi - Action Count: Eylem Sayısı - Action Date: Eylem Tarihi - Active: Aktif - Active Users Over Time v2: Zaman İçinde Aktif Kullanıcı Sayısı v2 - Active Users Per Organization: Kuruluş Başına Aktif Kullanıcı Sayısı - Actor ID: Aktör Kimliği - Actor IDs over time: Zaman içindeki aktör kimlikleri - Actor Id: Aktör Kimliği - Answers Chosen: Seçilen Yanıtlar - Attempts: Denemeler - Bio: Biyografi - COUNT(*): SAYMAK(*) - CSS: CSS - Cache Timeout: Önbellek Zaman Aşımı - Certification Details: Sertifika Ayrıntıları - Certified By: Tarafından onaylanmış - Changed By Fk: Fk tarafından değiştirildi - Changed On: Değiştirilme Tarihi - Chart Count: Grafik Sayısı - Chart showing the number of Superset actions taken by each user over the selected time period.: Seçilen - zaman diliminde her kullanıcının gerçekleştirdiği Süperset eylemlerinin sayısını - gösteren grafik. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Seçilen - zaman diliminde her grafikte gerçekleştirilen Süperset eylemlerinin sayısını gösteren - grafik. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Seçilen - zaman diliminde her bir kontrol panelinde gerçekleştirilen Süperset eylemlerinin - sayısını gösteren grafik. - Chart showing the number of registered users over the selected time period.: Seçilen - zaman aralığında kayıtlı kullanıcı sayısını gösteren grafik. - Charts by Type: Türe Göre Grafikler - City: Şehir - ClickHouse: ClickHouse - ClickHouse metrics: ClickHouse metrikleri - Count of charts created in Superset over the selected time period.: Seçilen zaman - diliminde Superset'te oluşturulan grafiklerin sayısı. - Count of dashboards created in Superset over the selected time period.: Seçilen - dönem boyunca Superset'te oluşturulan kontrol panellerinin sayısı. - Count of the various types of charts created in Superset over the selected time period.: Seçilen - zaman diliminde Superset'te oluşturulan çeşitli grafik türlerinin sayısı. - Count of unique users who performed an action in Superset over the selected time period.: Seçilen - dönem boyunca Superset'te bir işlem gerçekleştiren benzersiz kullanıcıların - sayısı. - Count over time of unique users who performed an action in Superset over the selected time period.: Seçilen - zaman diliminde Superset'te bir işlem gerçekleştiren benzersiz kullanıcıların - zaman içindeki sayısını sayın. - Country: Ülke - Course Data JSON: Kurs Verileri JSON - Course End: Ders Bitişi - Course Enrollment: Ders Kaydı - Course Enrollments Over Time: Zaman İçinde Ders Kayıtları - Course Grade (out of 100%): Ders Notu (%100 üzerinden) - Course Grade Distribution: Ders Notu Dağılımı - Course ID: Ders No - Course Key: Ders Anahtarı - Course Key Short: Kurs Anahtarı Kısa - Course Name: Ders Adı - Course Run: Dersi Yayın Tarihi - Course Start: Ders Başlangıcı - Course name: Ders ismi - Course run: Ders yayını - Courses: Dersler - Courses Per Organization: Organizasyon Başına Kurslar - Courseware: Ders İçerikleri - Created: Oluşturma - Created By Fk: Fk tarafından düzenlendi - Created On: Oluşturulma Tarihi - Currently Enrolled Learners Per Day: Şu anda Günlük Kayıtlı Öğrenci Sayısı - Dashboard Count: Kontrol Paneli Sayısı - Dashboard ID: Kontrol Paneli Kimliği - Dashboard Status: Kontrol Paneli Durumu - Dashboard Title: Kontrol Paneli Başlığı - Datasource ID: Veri kaynağı kimliği - Datasource Name: Veri Kaynağı Adı - Datasource Type: Veri Kaynağı Türü - Description: Açıklama - Display Name: Görünen Ad - Distinct forum users: Farklı forum kullanıcıları - Distribution Of Attempts: Denemelerin Dağılımı - Distribution Of Hints Per Correct Answer: Doğru Cevap Başına İpuçlarının Dağılımı - Distribution Of Problem Grades: Problem Notlarının Dağılımı - Distribution Of Responses: Yanıtların Dağılımı - Dump ID: Döküm kimliği - Duration (Seconds): Süre (Saniye) - Edited On: Düzenlenme Tarihi - Email: E-posta - Emission Time: Emisyon Süresi - Enrollment End: Kayıt Sonu - Enrollment Events Per Day: Günlük Kayıt Etkinlikleri - Enrollment Mode: Kayıt Modu - Enrollment Start: Kayıt Başlangıcı - Enrollment Status: kayıt durumu - Enrollment Status Date: Kayıt Durumu Tarihi - Enrollments: Kayıtlanmalar - Enrollments By Enrollment Mode: Kayıt Moduna Göre Kayıtlar - Enrollments By Type: Türe Göre Kayıtlar - Entity Name: Varlık adı - Event ID: Etkinlik Kimliği - Event String: Etkinlik Dizesi - Event Time: Etkinlik Zamanı - Event type: Etkinlik tipi - Events per course: Kurs başına etkinlikler - External ID Type: Harici Kimlik Türü - External Url: Harici URL - External User ID: Harici Kullanıcı Kimliği - Fail Login Count: Giriş Sayısı Başarısız - First Name: Ad - Forum Interaction: Forum Etkileşimi - Gender: Cinsiyet - Goals: Hedefler - Grade Bucket: Sınıf Kovası - Grade Type: Derece Türü - Help: Yardım - Hints / Answer Displayed Before Correct Answer Chosen: Doğru Cevap Seçilmeden Önce - Görüntülenen İpuçları / Cevap - ID: ID - Id: İD - Instance Health: Örnek Sağlığı - Instructor Dashboard: Eğitmen Ana Paneli - Is Managed Externally: Dışarıdan Yönetiliyor - JSON Metadata: JSON Meta Verileri - Language: Dil - Last Login: Son Görülme - Last Name: Soyad - Last Received Event: Son Alınan Etkinlik - Last Saved At: Son Kaydedilme Tarihi - Last Saved By Fk: Son Kaydedilen Fk - Last course syncronized: Son ders senkronize edildi - Level of Education: Eğitim Seviyesi - Location: Yer - Login Count: Giriş Sayısı - Mailing Address: Adres - Memory Usage (KB): Bellek Kullanımı (KB) - Meta: Meta - Modified: Değiştirilmiş - Most Active Courses Per Day: Günlük En Aktif Kurslar - Most-used Charts: En Çok Kullanılan Grafikler - Most-used Dashboards: En Çok Kullanılan Kontrol Panelleri - Name: İsim - Number Of Attempts To Find Correct Answer: Doğru Cevabı Bulmak İçin Yapılan Deneme - Sayısı - Number Of Students: Öğrenci sayısı - Number Of Users: Kullanıcı sayısı - Number Of Viewers / Views: İzleyici / Görüntüleme Sayısı - Number of Answers Displayed: Görüntülenen Yanıt Sayısı - Number of Hints Displayed: Görüntülenen İpucu Sayısı - Number of Posts: Gönderi Sayısı - Number of Users / Uses: Kullanıcı Sayısı/Kullanım - Number of Views / Viewers: Görüntüleme / İzleyici Sayısı - Number of users: kullanıcı sayısı - Object ID: Nesne Kimliği - Object Type: Nesne türü - Operator Dashboard: Operatör Kontrol Paneli - Order: Sipariş - Organization: Kuruluş - Organizations: Organizasyonlar - Parameters: Parametreler - Password: Parola - Percentage Grade: Yüzde Notu - Perm: Perma - Phone Number: Telefon numarası - Position Json: Json'u konumlandır - Posts per user: Kullanıcı başına gönderiler - Problem Engagement: Sorun Etkileşimi - Problem Id: Sorun Kimliği - Problem Name: Problem Adı - Problem Name With Location: Konumla İlgili Sorunun Adı - Problem Performance: Sorun Performansı - Problem name: Sorun adı - Profile Image Uploaded At: Profil Resminin Yüklendiği Tarih - Published: Yayınlandı - Query: Sorgu - Query Context: Sorgu İçeriği - Query performance: Sorgu performansı - Question Title: Soru başlığı - Read Rows: Satırları Oku - Repeat Views: Tekrarlanan Görünümler - Responses: Tepkiler - Responses Per Problem: Sorun Başına Yanıtlar - Scaled Score: Ölçekli skor - Schema Perm: Şema İzni - Seconds Of Video: Videonun Saniyeleri - Segment Start: Segment Başlangıcı - Self Paced: Kendi Kendine - Slice ID: Dilim Kimliği - Slice Name: Dilim Adı - Slowest ClickHouse Queries: En Yavaş ClickHouse Sorguları - Slug: Kısaisim - Started At: Başlangıç - State: Durum - Students: Öğrenciler - Success: Başarı - Superset: Süperset - Superset Active Users: Süper Küme Etkin Kullanıcılar - Superset Active Users Over Time: Etkin Kullanıcı Sayısını Zaman İçinde Süper Ayarla - Superset Registered Users Over Time: Zaman İçinde Kayıtlı Kullanıcı Sayısını Süper - Ayarlayın - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Her günün sonundaki kayıt durumlarına göre benzersiz kayıtlı öğrencilerin kümülatif - toplamı. Bir öğrenci daha önce kaydolduysa ancak o zamandan beri kurstan ayrıldıysa, - kurstan ayrıldığı tarih itibarıyla sayılmaz. Derse yeniden kaydolmaları halinde - tekrar sayılacaklardır. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : En son kayıt türüne göre etkin kayıtların mevcut sayısı; yani bir öğrenci Denetimden - Doğrulanmış'a yükseltilirse yalnızca bir kez Doğrulanmış olarak sayılır. Derse - kaydını sildiren öğrenciler sayılmaz. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Bir - dersin notlarının %100 üzerinden dağılımı. Notlar %10 aralıklarında gruplandırılmıştır. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Bir soruya yanıt veren öğrenci sayısı ve bunların doğru yanıt verip vermediği. - Öğrenciler bazı soruları birden çok kez yanıtlayabilir ancak bu grafik, her öğrenciyi - soru başına yalnızca bir kez sayar. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : Bu grafik, sonunda sorunu doğru yanıtlayan her öğrenci için ipuçlarının (cevabın - kendisinin görüntülenmesi dahil) kaç kez görüntülendiğini gösterir. Sorunda herhangi - bir ipucu veya yanıt ekranı yapılandırılmamışsa, bu grafik herkesi "0" - olarak gruplandıracaktır. - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Bu grafik, kaç öğrencinin videonun transkriptlerini veya altyazılarını kullandığını - anlamanıza yardımcı olur. Videoda transkript veya altyazı yoksa grafik boş olacaktır. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Bu grafik, her bir videoyu kaç benzersiz öğrencinin izlediğini ve her birinin - kaç kez tekrarlanan görüntüleme aldığını gösterir. Bir video hiç oynatılmadıysa - bu grafikte görünmez. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Bu grafik, öğrenciler tarafından bir yanıtın veya yanıt kombinasyonunun (çoklu - seçim için) ne sıklıkta seçildiğini gösterir. Bazı problemler öğrencilerin birden - fazla yanıt göndermesine olanak tanır; bu durumda bu grafik tüm yanıtları içerecektir. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Bu grafik, öğrencilerin problemin cevabını doğru bulmadan önce yapması gereken - deneme sayısını gösterir. Bu yalnızca sonunda doğru cevap veren öğrencileri sayar. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Bu grafik, bu problem için belirli bir yüzde puan dahilinde puan alan öğrencilerin - sayısını gösterir. Başarılı/başarısız olan problemler için yalnızca en düşük ve - en yüksek yüzde aralıklarını gösterecektir. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Bu grafik, bir videonun en çok hangi bölümlerinin izlendiğini ve hangilerinin - yeniden izlendiğini gösterir. Her bölüm videonun 5 saniyesini temsil eder. - Time Last Dumped: Son Atılma Zamanı - Time Range: Zaman aralığı - Time range: Zaman aralığı - Total Actors v2: Toplam Aktörler v2 - Total Hints: Toplam İpuçları - Total Organizations: Toplam Organizasyonlar - Total Views: Toplam görüntülenme - Total plays: Toplam oynatma - Total transcript usage: Toplam transkript kullanımı - Transcripts / Captions Per Video: Video Başına Transkript / Altyazı - UUID: UUID - Unique Transcript Users: Benzersiz Transkript Kullanıcıları - Unique Viewers: Benzersiz İzleyiciler - Unique Watchers: Benzersiz İzleyiciler - Unique actors: Benzersiz aktörler - User Actions: Kullanıcı İşlemleri - User ID: Kullanıcı No - User Name: Kullanıcı adı - User Registration Date: Kullanıcı Kayıt Tarihi - Username: Kullanıcı adı - Value: Değer - Verb: Fiil - Verb ID: Fiil Kimliği - Video Engagement: Video Etkileşimi - Video Event: Video Etkinliği - Video Id: Video Kimliği - Video Name: Video Adı - Video Name With Location: Konumla birlikte Video Adı - Video Performance: Video Performansı - Video Title: video başlığı - Video name: Video adı - Viz Type: Görünüm Türü - Watched Video Segments: İzlenen Video Segmentleri - Watches Per Video: Video Başına İzlenme Sayısı - XBlock Data JSON: XBlock Veri JSON - Year of Birth: Doğum Yılı - audit: denetim - honor: onur - registered: kayıtlı - unregistered: kayıtsız - verified: doğrulandı - xAPI Events Over Time: Zaman İçinde xAPI Olayları - xAPI Events Over Time v2: Zaman İçinde xAPI Olayları v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -uk: - '': '' -
Filter these results by selecting various options from the filters panel.
:
Відфільтруйте - ці результати, вибравши різні параметри на панелі фільтрів.
-
Select a course from the Filters panel to populate these charts.
:
Виберіть - курс на панелі фільтрів, щоб заповнити ці діаграми.
-
Select a problem from the Filters panel to populate the charts.
:
Виберіть - проблему на панелі фільтрів, щоб заповнити діаграми.
-
Select a video from the Filters panel to populate these charts.
:
Виберіть - відео на панелі фільтрів, щоб заповнити ці діаграми.
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : Підрахунок кількості реєстрацій і списань за день. Учні можуть реєструватися та - виписуватися кілька разів, у цій таблиці буде враховано кожну окрему реєстрацію - та скасування. - Action: Дія - Action Cluster: Кластер дій - Action Count: Кількість дій - Action Date: Дата дії - Active: Активний - Active Users Over Time v2: Активні користувачі з часом v2 - Active Users Per Organization: Активних користувачів на організацію - Actor ID: ID актора - Actor IDs over time: Ідентифікатори акторів з часом - Actor Id: Ідентифікатор актора - Answers Chosen: Вибрані відповіді - Attempts: Спроби - Bio: біографія - COUNT(*): РАХУВАТИ(*) - CSS: CSS - Cache Timeout: Час очікування кешу - Certification Details: Деталі сертифікації - Certified By: Сертифіковано - Changed By Fk: Змінено Fk - Changed On: Змінено на - Chart Count: Підрахунок діаграми - Chart showing the number of Superset actions taken by each user over the selected time period.: Діаграма, - яка показує кількість дій Superset, виконаних кожним користувачем за вибраний - період часу. - Chart showing the number of Superset actions taken on each chart in the selected time period.: Діаграма, - яка показує кількість дій Superset, виконаних на кожній діаграмі за вибраний період - часу. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Діаграма, - яка показує кількість дій Superset, виконаних на кожній інформаційній панелі за - вибраний період часу. - Chart showing the number of registered users over the selected time period.: Діаграма, - яка показує кількість зареєстрованих користувачів за вибраний період часу. - Charts by Type: Діаграми за типом - City: Місто - ClickHouse: ClickHouse - ClickHouse metrics: Показники ClickHouse - Count of charts created in Superset over the selected time period.: Кількість діаграм, - створених у Superset за вибраний період часу. - Count of dashboards created in Superset over the selected time period.: Кількість - інформаційних панелей, створених у Superset за вибраний період часу. - Count of the various types of charts created in Superset over the selected time period.: Кількість - різних типів діаграм, створених у Superset за вибраний період часу. - Count of unique users who performed an action in Superset over the selected time period.: Кількість - унікальних користувачів, які виконали дію в Superset протягом вибраного періоду - часу. - Count over time of unique users who performed an action in Superset over the selected time period.: Підрахунок - унікальних користувачів, які виконали дію в Superset протягом вибраного періоду - часу. - Country: Країна - Course Data JSON: Дані курсу JSON - Course End: Курс завершиться - Course Enrollment: Запис на курс - Course Enrollments Over Time: Зарахування на курси з часом - Course Grade (out of 100%): Оцінка курсу (зі 100%) - Course Grade Distribution: Розподіл оцінок за курс - Course ID: ID курсу - Course Key: Ключовий Курс - Course Key Short: Короткий ключ до курсу - Course Name: Назва курсу - Course Run: Запуск курсу - Course Start: Курс розпочнеться - Course name: Назва курсу - Course run: Цикл курсу - Courses: Курси - Courses Per Organization: Курси на організацію - Courseware: Навчальна програма - Created: Створено - Created By Fk: Створено Fk - Created On: Дата створення - Currently Enrolled Learners Per Day: Поточна кількість зареєстрованих учнів на день - Dashboard Count: Підрахунок приладової панелі - Dashboard ID: Ідентифікатор приладової панелі - Dashboard Status: Стан приладової панелі - Dashboard Title: Заголовок інформаційної панелі - Datasource ID: Ідентифікатор джерела даних - Datasource Name: Назва джерела даних - Datasource Type: Тип джерела даних - Description: Опис - Display Name: Назва, що відображається - Distinct forum users: Окремі користувачі форуму - Distribution Of Attempts: Розподіл спроб - Distribution Of Hints Per Correct Answer: Розподіл підказок на правильну відповідь - Distribution Of Problem Grades: Розподіл оцінок завдань - Distribution Of Responses: Розподіл відповідей - Dump ID: Дамп ID - Duration (Seconds): Тривалість (секунди) - Edited On: Відредаговано - Email: Електронна пошта - Emission Time: Час викиду - Enrollment End: Кінець реєстрації - Enrollment Events Per Day: Кількість подій реєстрації на день - Enrollment Mode: Режим запису на курс - Enrollment Start: Початок реєстрації - Enrollment Status: Статус реєстрації - Enrollment Status Date: Дата статусу реєстрації - Enrollments: Зарахування на курс - Enrollments By Enrollment Mode: Реєстрація за режимом реєстрації - Enrollments By Type: Реєстрація за типом - Entity Name: Назва сутності - Event ID: ID події - Event String: Рядок події - Event Time: Час події - Event type: Тип події - Events per course: Події на курс - External ID Type: Тип зовнішнього ідентифікатора - External Url: Зовнішня URL-адреса - External User ID: Ідентифікатор зовнішнього користувача - Fail Login Count: Кількість помилок входу - First Name: Ім'я - Forum Interaction: Взаємодія на форумі - Gender: Стать - Goals: Цілі - Grade Bucket: Сорт Ківш - Grade Type: Тип оцінки - Help: Допомога - Hints / Answer Displayed Before Correct Answer Chosen: Підказки/відповідь, що відображається - перед вибором правильної відповіді - ID: Ідентифікатор - Id: ID - Instance Health: Екземпляр Health - Instructor Dashboard: Панель управління викладача - Is Managed Externally: Управляється ззовні - JSON Metadata: Метадані JSON - Language: Мова - Last Login: Останній вхід - Last Name: Прізвище - Last Received Event: Остання отримана подія - Last Saved At: Востаннє збережено на - Last Saved By Fk: Востаннє збережено Fk - Last course syncronized: Останній курс синхронізовано - Level of Education: Рівень освіти - Location: Місце розташування - Login Count: Кількість входів - Mailing Address: Ваше місто або населений пункт - Memory Usage (KB): Використання пам'яті (КБ) - Meta: Мета - Modified: Змінено - Most Active Courses Per Day: Найбільш активні курси на день - Most-used Charts: Найбільш використовувані діаграми - Most-used Dashboards: Найчастіше використовувані інформаційні панелі - Name: Ім'я - Number Of Attempts To Find Correct Answer: Кількість спроб знайти правильну відповідь - Number Of Students: Кількість студентів - Number Of Users: Кількість користувачів - Number Of Viewers / Views: Кількість глядачів/переглядів - Number of Answers Displayed: Кількість відображених відповідей - Number of Hints Displayed: Кількість відображених підказок - Number of Posts: Кількість постів - Number of Users / Uses: Кількість користувачів / використання - Number of Views / Viewers: Кількість переглядів/глядачів - Number of users: Кількість користувачів - Object ID: ID об'єкта - Object Type: Тип об'єкта - Operator Dashboard: Приладова панель оператора - Order: Замовлення - Organization: Організація - Organizations: організації - Parameters: Параметри - Password: Пароль - Percentage Grade: Оцінка у відсотках - Perm: завивка - Phone Number: Номер телефону - Position Json: Позиція Json - Posts per user: Повідомлень на користувача - Problem Engagement: Залучення проблем - Problem Id: Ідентифікатор проблеми - Problem Name: Назва завдання - Problem Name With Location: Назва проблеми з розташуванням - Problem Performance: Продуктивність проблеми - Problem name: Назва проблеми - Profile Image Uploaded At: Зображення профілю завантажено на - Published: Опубліковане - Query: Запит - Query Context: Контекст запиту - Query performance: Продуктивність запиту - Question Title: Назва питання - Read Rows: Прочитайте рядки - Repeat Views: Повторні перегляди - Responses: Відповіді - Responses Per Problem: Відповіді на проблему - Scaled Score: Масштабований бал - Schema Perm: Схема Перм - Seconds Of Video: Секунди відео - Segment Start: Початок сегмента - Self Paced: Самостiйне складання - Slice ID: ID фрагмента - Slice Name: Назва фрагмента - Slowest ClickHouse Queries: Найповільніші запити ClickHouse - Slug: Slug-рядок - Started At: Розпочато в - State: Стан - Students: Студенти - Success: Успіх - Superset: Суперсет - Superset Active Users: Супермножина активних користувачів - Superset Active Users Over Time: Супермножина активних користувачів з часом - Superset Registered Users Over Time: Надмножина зареєстрованих користувачів з часом - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : Сукупна загальна кількість унікальних зареєстрованих учнів на основі їх статусу - реєстрації наприкінці кожного дня. Якщо учень був зареєстрований раніше, але після - цього залишив курс, він не враховується з дати, коли він залишив курс. Якщо вони - повторно запишуться на курс, вони будуть зараховані знову. - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : Поточна кількість активних реєстрацій за їхнім останнім типом реєстрації, тому, - якщо учень оновив Audit до Verified, він буде зарахований як Verified лише один - раз. Учні, які відмовилися від курсу, не враховуються. - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: Розподіл - оцінок за курс, понад 100%. Оцінки групуються в діапазонах 10%. - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : Кількість студентів, які відповіли на запитання, і чи правильно вони відповідали. - Учні можуть відповідати на деякі запитання кілька разів, але в цій таблиці кожен - учень враховує лише один раз на запитання. - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : На цій діаграмі показано кількість показів підказок (включаючи відображення самої - відповіді) для кожного учня, який зрештою правильно відповів на завдання. Якщо - для проблеми не було налаштовано відображення підказки чи відповіді, ця діаграма - згрупує всіх у «0». - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : Ця діаграма допомагає зрозуміти, скільки учнів використовують стенограми чи субтитри - відео. Якщо у відео немає транскриптів або субтитрів, діаграма буде порожньою. - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : Ця діаграма показує, скільки унікальних учнів переглянули кожне відео та скільки - повторних переглядів отримав кожен. Якщо відео ніколи не відтворювалося, воно - не відображатиметься в цій таблиці. - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : Ця діаграма показує, як часто учні вибирають відповідь або комбінацію відповідей - (для множинного вибору). Деякі задачі дозволяють учням надсилати відповідь кілька - разів, у цьому випадку ця таблиця включатиме всі відповіді. - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : Ця діаграма показує кількість спроб, які учні повинні були зробити, перш ніж отримати - правильну відповідь на задачу. Тут враховуються лише ті студенти, які зрештою - відповіли правильно. - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : 'Ця діаграма показує кількість студентів, які набрали певний відсоток балів за - цю задачу. Для завдань, які склали/не склали, буде показано лише найнижчий і найвищий - відсоткові діапазони. ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : Ця діаграма показує, які частини відео найбільше переглядають, а які найчастіше - переглядають повторно. Кожен сегмент представляє 5 секунд відео. - Time Last Dumped: Час останнього скидання - Time Range: Діапазон часу - Time range: Діапазон часу - Total Actors v2: Total Actors v2 - Total Hints: Всього підказок - Total Organizations: Всього організацій - Total Views: Загальна кількість переглядів - Total plays: Всього грає - Total transcript usage: Загальне використання транскрипту - Transcripts / Captions Per Video: Стенограми/субтитри до відео - UUID: UUID - Unique Transcript Users: Унікальні користувачі стенограми - Unique Viewers: Унікальні глядачі - Unique Watchers: Унікальні спостерігачі - Unique actors: Унікальні актори - User Actions: Дії користувача - User ID: ID користувача - User Name: Ім'я користувача - User Registration Date: Дата реєстрації користувача - Username: Ім'я користувача - Value: Значення - Verb: Дієслово - Verb ID: Ідентифікатор дієслова - Video Engagement: Відеозалучення - Video Event: Відеоподія - Video Id: Ідентифікатор відео - Video Name: Назва відео - Video Name With Location: Назва відео з місцем розташування - Video Performance: Відео продуктивність - Video Title: Назва відео - Video name: Назва відео - Viz Type: Тип Viz - Watched Video Segments: Переглянуті сегменти відео - Watches Per Video: Перегляди за відео - XBlock Data JSON: Дані XBlock JSON - Year of Birth: Рік Народження - audit: аудит - honor: честь - registered: зареєстрований - unregistered: незареєстрований - verified: перевірено - xAPI Events Over Time: Події xAPI з часом - xAPI Events Over Time v2: Події xAPI з часом v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -vi: - ? '## Help
* [Aspects Reference](https://docs.openedx.org/projects/openedx-aspects/page/reference/learner_groups_dashboard.html)
* - [Superset Resources](https://github.com/apache/superset#resources)
' - : '## Giúp đỡ
* [Tham khảo các khía cạnh](https://docs.openedx.org/projects/openedx-aspects/page/reference/learner_groups_dashboard.html)
- * [Tài nguyên Superset](https://github.com/apache/superset#resources)
' - '% Correct': '% Chính xác' - '% Incorrect': '% Không đúng' - Action: Hoạt động - Action Count: Số lượng hành động - Action Date: Ngày hành động - Active: Tích cực - Active Courses: Các khóa học đang hoạt động - Active Learners: Người học tích cực - Active Users Per Organization: Người dùng đang hoạt động trên mỗi tổ chức - Actor ID: ID diễn viên - Actor Id: Id diễn viên - Actors Count: Số lượng diễn viên - At-Risk Learners: Người học có nguy cơ - Attempted All Problems: Đã thử mọi vấn đề - Attempted At Least One Problem: Đã thử ít nhất một vấn đề - Attempts: Nỗ lực - Avg Attempts: Số lần thử trung bình - Avg Course Grade: Điểm trung bình của khóa học - Block ID: ID khối - Block Id: Mã khối - COUNT(*): ĐẾM(*) - Changed By Fk: Được thay đổi bởi Fk - Changed On: Đã thay đổi - Chart showing the number of Superset actions taken on each chart in the selected time period.: Biểu - đồ hiển thị số lượng hành động Superset được thực hiện trên mỗi biểu đồ trong - khoảng thời gian đã chọn. - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: Biểu - đồ hiển thị số lượng hành động Superset được thực hiện trên mỗi trang tổng quan - trong khoảng thời gian đã chọn. - Chart showing the number of registered users over the selected time period.: Biểu - đồ hiển thị số lượng người dùng đã đăng ký trong khoảng thời gian đã chọn. - ClickHouse: ClickHouse - ClickHouse metrics: Số liệu ClickHouse - Content Level: Cấp độ nội dung - Correct Attempts: Nỗ lực đúng đắn - Count: Đếm - Count of unique users who performed an action in Superset over the selected time period.: Số - lượng người dùng duy nhất đã thực hiện một hành động trong Superset trong khoảng - thời gian đã chọn. - Count over time of unique users who performed an action in Superset over the selected time period.: Đếm - theo thời gian số người dùng duy nhất đã thực hiện một hành động trong Superset - trong khoảng thời gian đã chọn. - Course Dashboard: Trang tổng quan khóa học - Course Data JSON: Dữ liệu khóa học JSON - Course End: Kết thúc khóa học - Course Enrollment Mode Status Cnt: Trạng thái chế độ ghi danh khóa học Cnt - Course Enrollments Over Time: Ghi danh khóa học theo thời gian - Course Grade: Lớp khóa học - Course Grade %: Điểm khóa học % - Course ID: Mã khóa học - Course Information: Thông tin khóa học - Course Key: Khóa học - Course Key Short: Khóa học ngắn hạn - Course Name: Tên khóa học - Course Order: Thứ tự khóa học - Course Run: Chạy khóa học - Course Start: Bắt đầu khóa học - Course grade: Điểm khóa học - Course name: Tên khóa học - Course run: Khóa học chạy - Courses: Khóa học - Courses Cnt: Khóa học Cnt - Courses Per Organization: Khóa học cho mỗi tổ chức - Created: Tạo - Created By Fk: Tạo bởi Fk - Created On: Được tạo ra - Cumulative Enrollments by Track: Ghi danh tích lũy theo đường đua - Cumulative Interactions: Tương tác tích lũy - Current Active Enrollments By Mode: Ghi danh hoạt động hiện tại theo chế độ - Current Enrollees: Người ghi danh hiện tại - Currently Enrolled Users: Người dùng hiện đã ghi danh - Dashboard ID: ID trang tổng quan - Dashboard Status: Trạng thái trang tổng quan - Dashboard Title: Tiêu đề trang tổng quan - Datasource ID: ID nguồn dữ liệu - Datasource Name: Tên nguồn dữ liệu - Datasource Type: Loại nguồn dữ liệu - Date: Ngày - Description: Sự miêu tả - Display Name: Tên hiển thị - Distribution of Course Grades: Phân phối điểm khóa học - Distribution of Current Course Grade: Phân phối điểm khóa học hiện tại - Dump ID: ID kết xuất - Duration (Seconds): Thời lượng (Giây) - Email: Email - Emission Day: Ngày phát thải - Emission Hour: Giờ phát thải - Emission Time: Thời gian phát thải - Engagement: Hôn ước - Enrolled At: Đã ghi danh tại - Enrollees by Enrollment Track: Người ghi danh theo lộ trình ghi danh - Enrollees per Enrollment Track: Người ghi danh theo dõi ghi danh - Enrollment: Ghi danh - Enrollment Date: Ngày ghi danh - Enrollment Dates: Ngày ghi danh - Enrollment End: Kết thúc ghi danh - Enrollment Mode: Chế độ ghi danh - Enrollment Start: Bắt đầu ghi danh - Enrollment Status: Tình trạng ghi danh - Enrollment Track: Theo dõi ghi danh - Enrollment status: Tình trạng ghi danh - Enrollment track: lộ trình ghi danh - Enrollments: ghi danh - Event Activity: Hoạt động sự kiện - Event ID: ID sự kiện - Event String: Chuỗi sự kiện - Event Time: Thời gian sự kiện - Events Cnt: Sự kiện Cnt - Fail Login Count: Số lần đăng nhập thất bại - First Name: Tên đầu tiên - Full Views: Lượt xem đầy đủ - Grade Bucket: Xô lớp - Grade Range: Phạm vi lớp - Grade range: phạm vi lớp - Graded: Đã chấm điểm - Graded Learners: Người học được xếp loại - Help: Trợ giúp - Http User Agent: Tác nhân người dùng http - Id: Nhận dạng - Incorrect Attempts: Nỗ lực không chính xác - Individual Learner: Người học cá nhân - Instance Health: Tình trạng phiên bản - Interaction Type: Loại tương tác - Last Course Published: Khóa học cuối cùng được xuất bản - Last Login: Lân đăng nhập cuôi - Last Name: Họ - Last Received Event: Sự kiện nhận được lần cuối - Last Visit Date: Ngày truy cập lần cuối - Last Visited: Lần cuối ghé thăm - Last course syncronized: Khóa học cuối cùng đã được đồng bộ hóa - Learner Summary: Tóm tắt người học - Learners: Người học - Learners with Passing Grade: Người học đạt điểm - Login Count: Số lần đăng nhập - Median Attempts: Số lần thử trung bình - Median Course Grade: Điểm khóa học trung bình - Memory Usage (KB): Mức sử dụng bộ nhớ (KB) - Memory Usage Mb: Mức sử dụng bộ nhớ Mb - Modified: Đã sửa đổi - Most-used Charts: Biểu đồ được sử dụng nhiều nhất - Most-used Dashboards: Bảng điều khiển được sử dụng nhiều nhất - Name: Tên - Number of Learners: Số lượng người học - Number of Learners who Attempted the Problem: Số lượng người học đã cố gắng giải - quyết vấn đề - Object ID: ID đối tượng - Object Type: Loại đối tượng - Operator Dashboard: Bảng điều khiển vận hành - Org: Tổ chức - Organization: Tổ chức - Organizations: Tổ chức - Overview: Tổng quan - Page Count: Đếm trang - Page Engagement Over Time: Tương tác trang theo thời gian - Page Engagement per Section: Tương tác trang trên mỗi phần - Page Engagement per Section/Subsection: Tương tác trang trên mỗi phần/tiểu mục - Page Engagement per Subsection: Tương tác trang trên mỗi tiểu mục - Pages: Trang - Partial Views: Lượt xem một phần - Partial and Full Video Views: Lượt xem một phần và toàn bộ video - Passed/Failed: Đạt/Không đạt - Password: Mật khẩu - Performance: Hiệu suất - Problem Attempts: Vấn đề cố gắng - Problem Engagement per Section: Vấn đề tương tác trên mỗi phần - Problem Engagement per Section/Subsection: Vấn đề tương tác trên mỗi phần/tiểu mục - Problem Engagement per Subsection: Sự tham gia của mỗi tiểu mục - Problem ID: ID sự cố - Problem Id: Id sự cố - Problem Link: Liên kết vấn đề - Problem Location and Name: Vấn đề Vị trí và tên - Problem Name: Tên vấn đề - Problem Name With Location: Tên vấn đề với vị trí - Problem Results: Kết quả vấn đề - Problems: Các vấn đề - Query: Truy vấn - Query Duration Ms: Thời lượng truy vấn Ms - Query performance: Hiệu suất truy vấn - Read Rows: Đọc hàng - Repeat Views: Lặp lại lượt xem - Responses: Phản hồi - Result: Kết quả - Result Rows: Hàng kết quả - Section Location and Name: Vị trí và tên phần - Section Name: Tên phần - Section Subsection Video Engagement: Mục Tiểu mục Tương tác video - Section Summary: Phần tóm tắt - Section With Name: Phần có tên - Section with name: Phần có tên - Section/Subsection Name: Tên mục/tiểu mục - Section/Subsection Page Enggagement: Tương tác với trang Mục/Tiểu mục - Section/Subsection Problem Engagement: Phần/Tiểu mục Tương tác với Vấn đề - Section/Subsection Video Engagement: Tương tác video theo phần/tiểu mục - Segment Range: Phạm vi phân khúc - Segment Start: Bắt đầu phân đoạn - Self Paced: tự nhịp độ - Slice ID: ID lát - Slice Name: Tên lát - Slowest ClickHouse Queries: Truy vấn ClickHouse chậm nhất - Start Position: Vị trí bắt đầu - Started At: Bắt đầu lúc - Subsection Location and Name: Tiểu mục Vị trí và Tên - Subsection Name: Tên tiểu mục - Subsection Summary: Tóm tắt tiểu mục - Subsection With Name: Tiểu mục có tên - Subsection with name: Tiểu mục có tên - Success: Thành công - Superset: siêu tập - Superset Active Users: Superset người dùng đang hoạt động - Superset Active Users Over Time: Superset người dùng hoạt động theo thời gian - Superset Registered Users Over Time: Người dùng đã đăng ký Superset theo thời gian - Tables: Những cái bàn - Time Grain: Hạt thời gian - Time Last Dumped: Thời gian đổ lần cuối - Time Range: Phạm vi thời gian - Total Courses: Tổng số khóa học - Total Organizations: Tổng số tổ chức - Total Views: Tổng số lượt xem - Unique Viewers: Người xem duy nhất - User ID: Tên người dùng - User Info: thông tin người dùng - User Name: Tên tài khoản - User Registration Date: Ngày đăng ký người dùng - Username: Tên tài khoản - Value: Giá trị - Verb: Động từ - Verb ID: ID động từ - Video Duration: Thời lượng video - Video Engagement: Tương tác video - Video Engagement per Section: Tương tác video trên mỗi phần - Video Engagement per Section/Subsection: Tương tác video trên mỗi phần/tiểu mục - Video Engagement per Subsection: Tương tác video trên mỗi tiểu mục - Video Event: Sự kiện video - Video ID: Mã video - Video Link: Liên kêt video - Video Location and Name: Vị trí và tên video - Video Name: Tên Video - Video Name With Location: Tên Video Kèm Vị Trí - Video Position: Vị trí video - Video Segment Count: Số lượng phân đoạn video - Videos: Video - Viewed All Pages: Đã xem tất cả các trang - Viewed All Videos: Đã xem tất cả video - Viewed At Least One Page: Đã xem ít nhất một trang - Viewed At Least One Video: Đã xem ít nhất một video - Visited On: Đã truy cập vào ngày - Visualization Bucket: Nhóm trực quan hóa - Watched Entire Video: Đã xem toàn bộ video - Watched Segment Count: Số lượng phân đoạn đã xem - Watched Video Segments: Phân đoạn video đã xem - audit: kiểm toán - failed: thất bại - graded: chấm điểm - honor: danh dự - passed: đi qua - registered: đăng ký - section_subsection_name: phần_subsection_name - section_subsection_page_engagement: phần_subsection_page_engagement - section_subsection_problem_engagement: phần_subsection_problem_engagement - ungraded: chưa chấm - unregistered: chưa đăng ký - verified: đã xác minh - '{{ASPECTS_COURSE_OVERVIEW_HELP_MARKDOWN}}': '{{ASPECTS_COURSE_OVERVIEW_HELP_MARKDOWN}}' - '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}': '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -zh_CN: - '': '' -
Filter these results by selecting various options from the filters panel.
:
通过从过滤器面板中选择各种选项来过滤这些结果。
-
Select a course from the Filters panel to populate these charts.
:
从“过滤器”面板中选择课程以填充这些图表。
-
Select a problem from the Filters panel to populate the charts.
:
从“过滤器”面板中选择一个问题以填充图表。
-
Select a video from the Filters panel to populate these charts.
:
从“过滤器”面板中选择一个视频以填充这些图表。
- ? A count of the number of enrollments and un-enrollments per day. Learners can - enroll and unenroll multiple times, in this chart each individual enrollment and - unenrollment will be counted. - : 每天的注册和取消注册数量的计数。学习者可以多次注册和取消注册,在此图表中,将计算每次单独的注册和取消注册。 - Action: 操作 - Action Cluster: 行动集群 - Action Count: 动作计数 - Action Date: 行动日期 - Active: 活跃的 - Active Users Over Time v2: 一段时间内的活跃用户 v2 - Active Users Per Organization: 每个组织的活跃用户 - Actor ID: 演员ID - Actor IDs over time: 随时间变化的演员 ID - Actor Id: 演员ID - Answers Chosen: 选择的答案 - Attempts: 答题次数 - Bio: 简介 - COUNT(*): 数数(*) - CSS: CSS - Cache Timeout: 缓存超时 - Certification Details: 认证详情 - Certified By: 认证机构 - Changed By Fk: 由 Fk 更改 - Changed On: 更改日期 - Chart Count: 图表计数 - Chart showing the number of Superset actions taken by each user over the selected time period.: 显示每个用户在选定时间段内执行的超级组操作数量的图表。 - Chart showing the number of Superset actions taken on each chart in the selected time period.: 显示所选时间段内每个图表上执行的超级组动作数量的图表。 - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: 显示所选时间段内每个仪表板上执行的 - Superset 操作数量的图表。 - Chart showing the number of registered users over the selected time period.: 显示所选时间段内注册用户数量的图表。 - Charts by Type: 按类型分类的图表 - City: 城市 - ClickHouse: 克利克屋 - ClickHouse metrics: ClickHouse 指标 - Count of charts created in Superset over the selected time period.: 选定时间段内在 Superset - 中创建的图表计数。 - Count of dashboards created in Superset over the selected time period.: 选定时间段内在 - Superset 中创建的仪表板计数。 - Count of the various types of charts created in Superset over the selected time period.: 选定时间段内 - Superset 中创建的各种类型图表的计数。 - Count of unique users who performed an action in Superset over the selected time period.: 在选定时间段内在 - Superset 中执行操作的唯一用户计数。 - Count over time of unique users who performed an action in Superset over the selected time period.: 计算在选定时间段内在 - Superset 中执行操作的唯一用户的数量。 - Country: 国家/地区 - Course Data JSON: 课程数据 JSON - Course End: 课程结束 - Course Enrollment: 课程报名 - Course Enrollments Over Time: 随时间变化的课程注册情况 - Course Grade (out of 100%): 课程成绩(满分100%) - Course Grade Distribution: 课程成绩分布 - Course ID: 课程编号 - Course Key: 课程密钥 - Course Key Short: 课程重点简述 - Course Name: 课程名称 - Course Run: 课程开课 - Course Start: 课程开始 - Course name: 课程名称 - Course run: 课程运行 - Courses: 课程 - Courses Per Organization: 每个组织的课程 - Courseware: 课程页面 - Created: 已创建 - Created By Fk: 创建者: Fk - Created On: 创建于 - Currently Enrolled Learners Per Day: 目前每天注册的学员人数 - Dashboard Count: 仪表板计数 - Dashboard ID: 仪表板 ID - Dashboard Status: 仪表板状态 - Dashboard Title: 仪表板标题 - Datasource ID: 数据源ID - Datasource Name: 数据源名称 - Datasource Type: 数据源类型 - Description: 描述 - Display Name: 显示名称 - Distinct forum users: 独特的论坛用户 - Distribution Of Attempts: 尝试的分布 - Distribution Of Hints Per Correct Answer: 每个正确答案的提示分布 - Distribution Of Problem Grades: 问题等级分布 - Distribution Of Responses: 响应分布 - Dump ID: 转储ID - Duration (Seconds): 持续时间(秒) - Edited On: 编辑于 - Email: 邮箱 - Emission Time: 发射时间 - Enrollment End: 报名结束 - Enrollment Events Per Day: 每天的报名活动 - Enrollment Mode: 选课模式 - Enrollment Start: 报名开始 - Enrollment Status: 入学状况 - Enrollment Status Date: 注册状态日期 - Enrollments: 选课 - Enrollments By Enrollment Mode: 按招生方式划分的招生人数 - Enrollments By Type: 按类型划分的注册人数 - Entity Name: 实体名称 - Event ID: 事件ID - Event String: 事件字符串 - Event Time: 活动时间 - Event type: 事件类型 - Events per course: 每门课程的活动 - External ID Type: 外部ID类型 - External Url: 外部网址 - External User ID: 外部用户ID - Fail Login Count: 登录失败次数 - First Name: 名 - Forum Interaction: 论坛互动 - Gender: 性别 - Goals: 目标 - Grade Bucket: 等级斗 - Grade Type: 等级类型 - Help: 帮助 - Hints / Answer Displayed Before Correct Answer Chosen: 选择正确答案之前显示的提示/答案 - ID: ID - Id: ID - Instance Health: 实例健康状况 - Instructor Dashboard: 教师面板 - Is Managed Externally: 由外部管理 - JSON Metadata: JSON 元数据 - Language: 语言 - Last Login: 最后一次登录 - Last Name: 姓 - Last Received Event: 最后收到的事件 - Last Saved At: 上次保存时间 - Last Saved By Fk: 最后保存者:Fk - Last course syncronized: 最后一门课程已同步 - Level of Education: 教育水平 - Location: 位置 - Login Count: 登录次数 - Mailing Address: 邮寄地址 - Memory Usage (KB): 内存使用量 (KB) - Meta: 元 - Modified: 修改的 - Most Active Courses Per Day: 每日最活跃的课程 - Most-used Charts: 最常用的图表 - Most-used Dashboards: 最常用的仪表板 - Name: ' 名字' - Number Of Attempts To Find Correct Answer: 尝试找到正确答案的次数 - Number Of Students: 学生人数 - Number Of Users: 用户数量 - Number Of Viewers / Views: 观众数量/观看次数 - Number of Answers Displayed: 显示的答案数 - Number of Hints Displayed: 显示的提示数 - Number of Posts: 帖子数量 - Number of Users / Uses: 用户/用途数量 - Number of Views / Viewers: 观看次数/观众数 - Number of users: 用户数量 - Object ID: 对象ID - Object Type: 对象类型 - Operator Dashboard: 操作员仪表板 - Order: 订单 - Organization: 组织 - Organizations: 组织机构 - Parameters: 参数 - Password: 密码 - Percentage Grade: 百分比等级 - Perm: 烫发 - Phone Number: 电话号码 - Position Json: 位置 Json - Posts per user: 每个用户的帖子 - Problem Engagement: 问题参与 - Problem Id: 问题编号 - Problem Name: 问题名称 - Problem Name With Location: 问题名称及位置 - Problem Performance: 问题表现 - Problem name: 问题名称 - Profile Image Uploaded At: 个人资料图片上传于 - Published: 已发表 - Query: 询问 - Query Context: 查询上下文 - Query performance: 查询性能 - Question Title: 问题标题 - Read Rows: 读取行 - Repeat Views: 重复视图 - Responses: 回应 - Responses Per Problem: 每个问题的响应 - Scaled Score: 比例分数 - Schema Perm: 模式烫发 - Seconds Of Video: 视频秒数 - Segment Start: 段开始 - Self Paced: 自定进度 - Slice ID: 切片ID - Slice Name: 切片名称 - Slowest ClickHouse Queries: 最慢的 ClickHouse 查询 - Slug: 固定链接地址 - Started At: 开始于 - State: 状态 - Students: 学生 - Success: 成功 - Superset: 超级组 - Superset Active Users: 活跃用户超级集 - Superset Active Users Over Time: 随着时间的推移超级活跃用户 - Superset Registered Users Over Time: 随着时间的推移注册用户的超级集 - ? The cumulative total of unique enrolled learners based on their enrollment state - at the end of each day. If a learner was enrolled previously, but has left the - course since, they are not counted as of the date they left. If they re-enroll - in the course they will be counted again. - : 根据每天结束时的注册状态计算的唯一注册学习者的累计总数。如果学习者之前注册过,但此后离开了课程,则自离开之日起,他们不会被计算在内。如果他们重新注册课程,他们将再次被计算在内。 - ? The current count of active enrollments by their most recent enrollment type, - so if a learner upgraded from Audit to Verified they will only be counted once - as Verified. Learners who have un-enrolled in the course are not counted. - : 按最新注册类型划分的当前活跃注册计数,因此,如果学习者从审核升级到已验证,则他们只会被计为已验证一次。未注册课程的学员不计算在内。 - The distribution of grades for a course, out of 100%. Grades are grouped in ranges of 10%.: 一门课程的成绩分布,满分为 - 100%。成绩按 10% 的范围分组。 - ? The number of students who have responded to a question, and whether they have - ever answered correctly. Students can answer some questions multiple times, but - this chart counts each student only once per question. - : 回答了问题的学生人数,以及他们是否回答正确。学生可以多次回答某些问题,但此图表仅对每个学生每个问题计数一次。 - ? This chart displays counts of the number of times hints (including displaying - the answer itself) were displayed for each learner who eventually answered the - problem correctly. If the problem had no hint or answer display configured this - chart will group everyone into "0". - : 此图表显示为每个最终正确回答问题的学习者显示提示(包括显示答案本身)的次数。如果问题没有配置提示或答案显示,则此图表会将每个人分组为“0”。 - ? This chart helps understand how many learners are using the video's transcripts - or closed captions. If the video has not transcripts or captions the chart will - be empty. - : 此图表有助于了解有多少学习者正在使用视频的文字记录或隐藏式字幕。如果视频没有文字记录或字幕,则图表将为空。 - ? This chart shows how many unique learners have watched each video, and how many - repeat views each has gotten. If a video has never been played it will not appear - in this chart. - : 此图表显示有多少个独特的学习者观看了每个视频,以及每个视频获得了多少次重复观看。如果视频从未播放过,则不会出现在此图表中。 - ? This chart shows how often an answer or combination of answers (for multi-select) - is selected by learners. Some problems allow learners to submit a response more - than once, this chart will include all of the responses in that case. - : 此图表显示学习者选择答案或答案组合(用于多项选择)的频率。有些问题允许学习者多次提交响应,此图表将包含该情况下的所有响应。 - ? This chart shows the number of attempts that students needed to make before getting - the problem's answer correct. This only counts students who eventually answered - correctly. - : 该图表显示了学生在获得正确问题答案之前需要进行的尝试次数。这仅计算最终回答正确的学生。 - ? 'This chart shows the number of students who scored within a certain percentage - of points for this problem. For problems that are pass/fail it will only show - the lowest and highest percentage ranges. ' - : '该图表显示了在该问题上得分在一定百分比范围内的学生人数。对于通过/失败的问题,它只会显示最低和最高百分比范围。 ' - ? This chart shows which parts of a video are most watched, and which are most re-watched. - Each segment represents 5 seconds of the video. - : 此图表显示视频的哪些部分观看次数最多,哪些部分重复观看次数最多。每个片段代表视频的 5 秒。 - Time Last Dumped: 上次转储时间 - Time Range: 时间范围 - Time range: 时间范围 - Total Actors v2: 演员总数 v2 - Total Hints: 总提示 - Total Organizations: 组织总数 - Total Views: 总浏览 - Total plays: 总播放次数 - Total transcript usage: 转录本使用总量 - Transcripts / Captions Per Video: 每个视频的文字记录/字幕 - UUID: UUID - Unique Transcript Users: 独特的成绩单用户 - Unique Viewers: 独特的观看者 - Unique Watchers: 独特的观察者 - Unique actors: 独特的演员 - User Actions: 用户操作 - User ID: 用户ID - User Name: 用户名 - User Registration Date: 用户注册日期 - Username: 用户名 - Value: 值 - Verb: 动词 - Verb ID: 动词ID - Video Engagement: 视频参与 - Video Event: 视频活动 - Video Id: 视频编号 - Video Name: 视频名称 - Video Name With Location: 带位置的视频名称 - Video Performance: 视频性能 - Video Title: 视频标题 - Video name: 视频名称 - Viz Type: 可视化类型 - Watched Video Segments: 观看的视频片段 - Watches Per Video: 每个视频的观看次数 - XBlock Data JSON: XBlock 数据 JSON - Year of Birth: 出生年份 - audit: 审计 - honor: 荣誉 - registered: 挂号的 - unregistered: 未注册的 - verified: 已验证 - xAPI Events Over Time: xAPI 随时间变化的事件 - xAPI Events Over Time v2: xAPI随时间变化的事件 v2 - '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}': '{{ASPECTS_INSTRUCTOR_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' -zh_HK: - '% Correct': % 正確的 - '% Incorrect': '% 錯誤' - Action: 操作 - Action Count: 操作計數 - Action Date: 操作日期 - Active: 活躍 - Active Courses: 活躍課程 - Active Learners: 活躍學生 - Active Users Per Organization: 每個組織的活躍用戶 - Actor ID: Actor ID - Actor Id: Actor Id - Actors Count: Actors 數 - All Pages Viewed: 瀏覽過的所有頁面 - All Videos Viewed: 觀看過的所有影片 - At Leat One Page Viewed: 至少瀏覽一頁 - At Leat One Viewed: 至少看過一位 - At-Risk Learners: 有風險的學生 - At-risk Enrollees per Enrollment Track: 每個註冊軌道的高風險註冊者 - At-risk Enrollment Dates: 有風險的註冊日期 - At-risk learners: 有風險的學生 - Attempted All Problems: 嘗試了所有問題 - Attempted at Least One Problem: 嘗試了至少一個問題 - Attempts: 嘗試 - Avg Attempts: 平均嘗試次數 - Avg Course Grade: 平均課程成績 - Block ID: 區塊ID - Block Id: 區塊ID - COUNT(*): 數(*) - Changed By Fk: 由 Fk 更改 - Changed On: 更改時間 - Chart showing the number of Superset actions taken on each chart in the selected time period.: 顯示所選時間段內每個圖表上執行的Superset操作數量的圖表。 - Chart showing the number of Superset actions taken on each dashboard in the selected time period.: 顯示所選時間段內每個控制面板上執行的 - Superset 操作數量的圖表。 - Chart showing the number of registered users over the selected time period.: 顯示所選時間內註冊用户數量的圖表。 - ClickHouse: ClickHouse - ClickHouse metrics: ClickHouse 指標 - Content Level: 內容水平 - Correct Attempts: 正確的嘗試 - Count: 計算 - Count of unique users who performed an action in Superset over the selected time period.: 在選取時間段內在 - Superset 中執行操作的唯一用户計數。 - Count over time of unique users who performed an action in Superset over the selected time period.: 計算在選定時間段內在 - Superset 中執行操作的唯一用户的數量。 - Course Dashboard: 課程控制面板 - Course Data JSON: 課程資料 JSON - Course End: 課程結束 - Course Enrollment Mode Status Cnt: 課程註冊模式狀態計數 - Course Enrollments Over Time: 隨時間變化的課程報名情況 - Course Grade: 課程成績 - Course Grade %: 課程成績% - Course ID: 課程ID - Course Information: 課程資訊 - Course Key: 課程重點 - Course Key Short: 課程重點簡述 - Course Name: 課程名稱 - Course Order: 課程順序 - Course Run: 課程運行 - Course Start: 課程開始 - Course grade: 課程成績 - Course key: 課程重點 - Course name: 課程名稱 - Course run: 課程運行 - Courses: 課程 - Courses Cnt: 課程數量 - Courses Per Organization: 每個組織的課程 - Created: 已創建 - Created By Fk: 創作者: Fk - Created On: 創建於 - Cumulative Enrollments by Track: 按軌道的累計報名人數 - Cumulative Interactions: 累計互動 - Cumulative Interactions (at-risk): 累積互動(有風險) - Current Active Enrollments By Mode: 目前活躍報名人數(按模式) - Current Enrollees: 目前註冊者 - Currently Enrolled Users: 目前註冊用戶 - Dashboard ID: 控制面板 ID - Dashboard Status: 控制面板狀態 - Dashboard Title: 控制面板標題 - Datasource ID: 資料來源ID - Datasource Name: 資料來源名稱 - Datasource Type: 資料來源類型 - Date: 日期 - Description: 描述 - Display Name: 顯示名稱 - Distribution of Course Grades: 課程成績分佈 - Distribution of Current Course Grade: 目前課程成績分佈 - Dump ID: Dump ID - Duration (Seconds): 持續時間(秒) - Email: 電郵 - Emission Day: 發行日期 - Emission Hour: 發行時間 - Emission Time: 排放時間 - Engagement: 預約 - Enrolled At: 入學時間 - Enrollees per Enrollment Track: 每個註冊軌道的註冊人數 - Enrollment: 註冊 - Enrollment Date: 開學報道日 - Enrollment End: 報名結束 - Enrollment Mode: 報名方式 - Enrollment Start: 報名開始 - Enrollment Status: 入學狀況 - Enrollment Track: 招生軌道 - Enrollment status: 報名狀況 - Enrollment track: 招生軌道 - Enrollments: 入學人數 - Event Activity: 活動 - Event ID: 事件ID - Event String: 事件字串 - Event Time: 活動時間 - Events Cnt: 活動數量 - Evolution of Engagement (at-risk): 參與度的演變(有風險) - Evolution of engagement: 參與度的演變 - Fail Login Count: 登入失敗次數 - First Name: 名 - Full Views: 總瀏覽 - Grade Bucket: 成績分組 - Grade Range: 評分範圍 - Grade range: 評分範圍 - Graded: 已評分 - Graded Learners: 評分學生 - Help: 幫助 - Http User Agent: HTTP 使用者代理 - Id: ID - Incorrect Attempts: 錯誤的嘗試 - Individual Learner: 個别學生 - Instance Health: 健康情況 - Interaction Type: 互動類型 - Last Course Published: 最後發布的課程 - Last Login: 上次登入 - Last Name: 姓 - Last Received Event: 最後收到的事件 - Last Visited: 上次訪問 - Last course syncronized: 最後一門課程已同步 - Last visit date: 上次造訪日期 - Learner Summary: 學生總結 - Learners with Passing Grade: 成績及格的學生 - Login Count: 登入次數 - Median Course Grade: 課程成績中位數 - Median of Attempts: 嘗試次數的中位數 - Memory Usage (KB): 記憶體使用量 (KB) - Memory Usage Mb: 記憶體使用量 Mb - Modified: 修改的 - Most-used Charts: 最常用的圖表 - Most-used Dashboards: 最常用的控制面板 - Name: 姓名 - Number of Learners: 學習人數 - Number of Learners who attemped the problem: 嘗試該問題的學生數量 - Object ID: 對象 ID - Object Type: 對象類型 - Operator Dashboard: 操作員控制面板 - Org: 組織 - Organization: 組織 - Organizations: 組織機構 - Overview: 概述 - Page Count: 頁數 - Page views per section: 每個章節的頁面瀏覽量 - Page views per section/subsection: 每個章節/小節的頁面瀏覽量 - Page views per section/subsection (at-risk): 每個章節/小節的頁面瀏覽量(有風險) - Page views per subsection: 每個小節的頁面瀏覽量 - Pages: 頁數 - Partial Views: 部分瀏覽 - Partial and Full Views Per Video (at-risk): 每個影片的部分和完整觀看次數(有風險) - Partial and full views per video: 每個影片的部分和完整觀看次數 - Partial and full views per video (table): 每個影片的部分和完整觀看次數(表) - Passed/Failed: 通過/失敗 - Password: 密碼 - Performance: 表現 - Problem ID: 問題ID - Problem Id: 問題ID - Problem Interactions (at-risk): 問題互動(有風險) - Problem Link: 問題連結 - Problem Name: 問題名稱 - Problem Name With Location: 問題名稱及位置 - Problem Results: 問題結果 - Problem Results (at-risk): 問題結果(有風險) - Problem interactions: 問題交互 - Problem name with location: 問題名稱及位置 - Problems: 問題 - Problems attempted per section: 每個章節嘗試的問題 - Problems attempted per section/subsection: 每個章節/小節嘗試的問題 - Problems attempted per section/subsection (at-risk): 每個章節/小節嘗試的問題(有風險) - Problems attempted per subsection: 每小節嘗試的問題 - Query: 詢問 - Query Duration Ms: 查詢持續時間(毫秒) - Query performance: 查詢表現 - Read Rows: 讀取行 - Repeat Views: 重複瀏覽 - Responses: 回應 - Result: 結果 - Result Rows: 結果行數 - Section Name: 章節名稱 - Section Subsection Name: 章節小節名稱 - Section Subsection Problem Engagement: 章節小節問題參與 - Section Subsection Video Engagement: 小節 小節 影片參與 - Section Summary: 章節摘要 - Section Summary (at-risk): 章節摘要(有風險) - Section With Name: 帶有名稱的章節 - Section name: 欄位名稱 - Section with Name: 帶有名稱的章節 - Section with name: 帶有名稱的章節 - Section/Subsection Name: 章節/小節名稱 - Section/Subsection Page Enggagement: 章節/小節頁面參與度 - Section/Subsection Problem Engagement: 章節/小節問題參與 - Section/Subsection Video Engagement: 章節/小節影片參與 - Segment Range: 分段範圍 - Segment Start: 分段開始 - Self Paced: 自訂進度 - Slice ID: Slice ID - Slice Name: Slice 名稱 - Slowest ClickHouse Queries: 最慢的 ClickHouse 查詢 - Start Position: 起始位置 - Started At: 開始於 - Subsection Name: 小節名稱 - Subsection Summary: 小節總結 - Subsection Summary (at-risk): 小節摘要(有風險) - Subsection With Name: 有名稱的小節 - Subsection with Name: 有名稱的小節 - Subsection with name: 有名稱的小節 - Success: 成功 - Superset: Superset - Superset Active Users: 活躍用戶Superset - Superset Active Users Over Time: Superset 時間內的活躍使用者 - Superset Registered Users Over Time: Superset 時間內的註冊使用者 - Tables: 表格 - Time Grain: 時間粒度 - Time Last Dumped: 上次導出的時間 - Time Range: 時間範圍 - Total Courses: 總課程數量 - Total Organizations: 組織總數 - Total Views: 總瀏覽 - Total plays: 總播放次數 - Unique Viewers: 獨特的觀看者 - Unique Watchers: 獨特的觀察者 - User ID: 用户ID - User Info: 用户資訊 - User Name: 用户名稱 - User Registration Date: 用戶註冊日期 - Username: 用户名稱 - Value: 值 - Verb: Verb - Verb ID: Verb ID - Video Duration: 影片時長 - Video Event: 影片活動 - Video ID: 影片ID - Video Link: 影片連結 - Video Name: 影片名稱 - Video Name With Location: 帶有位置的影片名稱 - Video Position: 影片位置 - Video Segment Count: 影片片段數量 - Video Views by Section/Subsection (at-risk): 按章節/子章節劃分的影片觀看次數(有風險) - Video Views per Section/Subsection (at-risk): 每個章節/小節的影片觀看次數(有風險) - Video name: 影片名稱 - Video views by section/subsection: 按章節/小節劃分的影片觀看次數 - Video views per section: 每個章節的影片觀看次數 - Video views per section/subsection: 每個章節/小節的影片觀看次數 - Video views per subsection: 每個小節的影片觀看次數 - Videos: 影片 - Views: 意見 - Visited On: 訪問時間 - Visualization Bucket: 可視化分組 - Watched Entire Video: 觀看了整個影片 - Watched Segment Count: 觀看片段數 - Watched Video Segments: 觀看的影片片段 - Watched Video Segments (at-risk): 觀看的影片片段(有風險) - audit: 旁聽 - failed: 已失敗 - graded: 已評分 - honor: 榮譽 - passed: 通過了 - registered: 已登記 - section_subsection_name: 章節_小節_名稱 - section_subsection_page_engagement: section_subsection_page_engagement - ungraded: 未評分 - unregistered: 未註冊的 - verified: 已驗證 - '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}': '{{ASPECTS_INDIVIDUAL_LEARNER_HELP_MARKDOWN}}' - '{{ASPECTS_LEARNER_GROUPS_HELP_MARKDOWN}}': '{{ASPECTS_LEARNER_GROUPS_HELP_MARKDOWN}}' - '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}': '{{ASPECTS_OPERATOR_HELP_MARKDOWN}}' - ⏲️ Use the ‘Time Grain’ filter to update the time frame intervals shown in the following graph(s): ⏲️ - 使用「時間粒度」篩選器來更新以下圖表中顯示的時間範圍間隔 - -{{ patch('superset-extra-asset-translations')}} diff --git a/tutoraspects/templates/aspects/build/aspects-superset/requirements.txt b/tutoraspects/templates/aspects/build/aspects-superset/requirements.txt index 21f06b891..3c2b63a0e 100644 --- a/tutoraspects/templates/aspects/build/aspects-superset/requirements.txt +++ b/tutoraspects/templates/aspects/build/aspects-superset/requirements.txt @@ -1,5 +1,6 @@ authlib # OAuth2 clickhouse-connect>0.5,<1.0 -sentry-sdk[flask] +openedx-atlas ruamel-yaml==0.18.6 +sentry-sdk[flask] urllib3>=1.26.15,<2 diff --git a/tutoraspects/templates/base-docker-compose-services b/tutoraspects/templates/base-docker-compose-services index 9ebb790a5..4f1fffa72 100644 --- a/tutoraspects/templates/base-docker-compose-services +++ b/tutoraspects/templates/base-docker-compose-services @@ -6,7 +6,6 @@ image: {{ DOCKER_IMAGE_SUPERSET }} - ../../env/plugins/aspects/apps/superset/security:/app/security - ../../env/plugins/aspects/apps/superset/superset_home:/app/superset_home - ../../env/plugins/aspects/apps/superset/scripts:/app/scripts - - ../../env/plugins/aspects/build/aspects-superset/localization:/app/localization - ../../env/plugins/aspects/build/aspects-superset/openedx-assets:/app/openedx-assets restart: unless-stopped environment: diff --git a/tutoraspects/translations/translate.py b/tutoraspects/translations/translate.py index 6aecd1c44..3c251968c 100644 --- a/tutoraspects/translations/translate.py +++ b/tutoraspects/translations/translate.py @@ -12,7 +12,6 @@ # pylint: disable=wrong-import-position from tutoraspects.translations.translate_utils import ( - compile_translations, extract_translations, get_text_for_translations, ) @@ -25,8 +24,6 @@ def command(root, action): """Interface for the translations.""" if action == "extract": extract_translations(root) - elif action == "compile": - compile_translations(root) elif action == "list": get_text_for_translations(root) else: diff --git a/tutoraspects/translations/translate_utils.py b/tutoraspects/translations/translate_utils.py index 345a5ae07..fe1bd6719 100644 --- a/tutoraspects/translations/translate_utils.py +++ b/tutoraspects/translations/translate_utils.py @@ -2,7 +2,6 @@ import os import glob -import shutil import ruamel.yaml import ruamel.yaml.comments @@ -163,57 +162,6 @@ def mark_text_for_translation(asset): return [] -def compile_translations(root_path): - """ - Combine translated files into the single file we use for translation. - - This should be called after we pull translations using Atlas, see the - pull_translations make target. - """ - translations_path = os.path.join( - root_path, "tutoraspects/templates/aspects/apps/superset/conf/locale" - ) - - all_translations = ruamel.yaml.comments.CommentedMap() - yaml_files = glob.glob(os.path.join(translations_path, "**/locale.yaml")) - - for file_path in yaml_files: - lang = file_path.split(os.sep)[-2] - with open(file_path, "r", encoding="utf-8") as asset_file: - loc_str = asset_file.read() - loaded_strings = yaml.load(loc_str) - - # Sometimes translated files come back with "en" as the top level - # key, but still translated correctly. - try: - all_translations[lang] = loaded_strings[lang] - except KeyError: - all_translations[lang] = loaded_strings["en"] - - if None in all_translations[lang]: - all_translations[lang].pop(None) - - out_path = os.path.join( - root_path, - "tutoraspects/templates/aspects/build/aspects-superset/localization/locale.yaml", - ) - - print(f"Writing all translations out to {out_path}") - with open(out_path, "w", encoding="utf-8") as outfile: - outfile.write("---\n") - # If we don't use an extremely large width, the jinja in our translations - # can be broken by newlines. So we use the largest number there is. - recursive_sort_mappings(all_translations) - yaml.dump(all_translations, outfile) - outfile.write("\n{{ patch('superset-extra-asset-translations')}}\n") - - # We remove these files to avoid confusion about where translations are coming - # from, and because otherwise we will need to re-save them with the large - # width as above to avoid Jinja parsing errors. - print("Removing downloaded translations files... ") - shutil.rmtree(translations_path) - - def extract_translations(root_path): """ This gathers all translatable text from the Superset assets.