Please visit our help center for student support.
If you need access to Blackboard Collaborate, please contact your institution.
no
/*
White space on empty fields
Start
*/
function clearWhiteSpaces() {
$("input").val(function (_, value) {
return $.trim(value);
});
}
/*
White space on empty fields
End
*/
/*
Utm parameters persistent on session
Start
*/
function findGetParameter(parameterName) {
var result = null,
tmp = [];
location.search
.substr(1)
.split("&")
.forEach(function (item) {
tmp = item.split("=");
try {
if (tmp[0].toString().toLowerCase() === parameterName.toString().toLowerCase()) result = decodeURIComponent(tmp[1].toString().replace("%A0", ""));
}
catch (e) {
}
});
return result;
}
function setutm() {
var r = findGetParameter("utm_campaign");
if (r) {
window.sessionStorage.setItem("utm_campaign", r);
}
r = findGetParameter("utm_content");
if (r) {
window.sessionStorage.setItem("utm_content", r);
}
r = findGetParameter("utm_medium");
if (r) {
window.sessionStorage.setItem("utm_medium", r);
}
r = findGetParameter("utm_source");
if (r) {
window.sessionStorage.setItem("utm_source", r);
}
r = findGetParameter("utm_term");
if (r) {
window.sessionStorage.setItem("utm_term", r);
}
}
function readutm() {
if ($("input[name='utm_campaign']").val() == "" && window.sessionStorage.getItem("utm_campaign")) {
$("input[name='utm_campaign']").val(window.sessionStorage.getItem("utm_campaign"));
}
if ($("input[name='utm_content']").val() == "" && window.sessionStorage.getItem("utm_content")) {
$("input[name='utm_content']").val(window.sessionStorage.getItem("utm_content"));
}
if ($("input[name='utm_medium']").val() == "" && window.sessionStorage.getItem("utm_medium")) {
$("input[name='utm_medium']").val(window.sessionStorage.getItem("utm_medium"));
}
if ($("input[name='utm_source']").val() == "" && window.sessionStorage.getItem("utm_source")) {
$("input[name='utm_source']").val(window.sessionStorage.getItem("utm_source"));
}
if ($("input[name='utm_term']").val() == "" && window.sessionStorage.getItem("utm_term")) {
$("input[name='utm_term']").val(window.sessionStorage.getItem("utm_term"));
}
}
function showFieldShared(currentField, col = false) {
var elem = $("[name=" + currentField + "]");
elem.parents(".form-element-layout").show();
if (col == "6") {
elem.closest(".grid-layout-col").addClass("col-md-6").removeClass("col-md-12");
}
if (col == "12") {
elem.closest(".grid-layout-col").addClass("col-md-12").removeClass("col-md-6");
}
}
function hideFieldShared(currentField) {
var elem = $("[name=" + currentField + "]");
elem.parents(".form-element-layout").hide();
}
if (typeof LeadRouting === "undefined") {
LeadRouting = "";
}
function checkTranslationThankYou() {
if (typeof translateLanguage != "undefined") {
translateLangThankYou = translateLanguage;
}
var tempLang = findGetParameter("tr_lang");
if (tempLang) {
translateLangThankYou = tempLang;
}
if (translateLangThankYou) {
$(".translate").each(function (i, element) {
element.innerHTML = translateThankYou(element.innerHTML.trim());
});
}
}
function translateThankYou(textToTranslate) {
var found = false;
if (typeof translateLangThankYou != "undefined" && typeof thankYouTranslations[textToTranslate] != "undefined" && typeof thankYouTranslations[textToTranslate][translateLangThankYou] != "undefined" && thankYouTranslations[textToTranslate][translateLangThankYou] != "") {
found = true;
textToTranslate = thankYouTranslations[textToTranslate][translateLangThankYou];
}
if (!found) {
translationsNotFoundThankYou.push(textToTranslate);
}
return textToTranslate;
}
var extraValidators = [];
function initializeExtraValidators() {
extraValidators = [];
if (typeof customExtraValidators == "undefined") {
customExtraValidators = [];
}
for (var validatorIndex = 0; validatorIndex < customExtraValidators.length; validatorIndex++) {
if (typeof customExtraValidators[validatorIndex] == "function") {
extraValidators.push(customExtraValidators[validatorIndex]);
customExtraValidators[validatorIndex](true);
}
}
if (typeof blackListValidatorEnabled != "undefined" && blackListValidatorEnabled == "true") {
extraValidators.push(blackListValidator);
blackListValidator(true);
}
if (typeof studentValidatorEnabled != "undefined" && studentValidatorEnabled == "true") {
extraValidators.push(studentValidator);
studentValidator(true);
}
if (extraValidators.length != 0) {
console.log("Extra validators", extraValidators);
$("form:not([name=translationPicklistForm])").submit(function (event) {
var extraValidatorsRejected = false;
for (var validatorIndex = 0; validatorIndex < extraValidators.length; validatorIndex++) {
if (!extraValidators[validatorIndex]()) {
console.log("Extra validator rejected " + extraValidators[validatorIndex].name);
extraValidatorsRejected = true;
}
else {
console.log("Extra validator passed " + extraValidators[validatorIndex].name);
}
}
if (extraValidatorsRejected) {
return false;
}
return true;
});
}
}
function studentValidator(init) {
const fieldsToCheck = ["primaryRole", "primaryRole1", "primaryRole2", "title", "jobTitleCategory1"];
if (typeof init != "undefined" && init) {
console.log("Extra validator student init");
if (typeof studentValidatorPopUpText !== "undefined") {
$("#studentPopUpValidatorText").text("");
if (typeof _translateRegistrationForm == "function") {
studentValidatorPopUpText = _translateRegistrationForm(studentValidatorPopUpText);
}
$("#studentPopUpValidatorText").append(studentValidatorPopUpText);
}
for(var fieldToCheck in fieldsToCheck){
$(document).on("change", "[name='" + fieldsToCheck[fieldToCheck] + "']", function () {
studentValidator();
});
}
return;
}
for(var fieldToCheck in fieldsToCheck){
if ($("[name='" + fieldsToCheck[fieldToCheck] + "']").val() == "Student") {
$("#popupStudentCommon").show();
$("#popupStudentCommonClose").click(function () {
$("#popupStudentCommon").hide();
for(var fieldToCheck in fieldsToCheck){
$("[name='" + fieldsToCheck[fieldToCheck] + "']").val("");
}
});
return false;
}
}
return true;
}
if (typeof emailSubmitDisabled === "undefined") {
emailSubmitDisabled = false;
}
function blackListValidator(init) {
if (typeof init != "undefined" && init) {
console.log("Extra validator black list init");
$(document).on("change", "[name='emailAddress']", function () {
if (!emailSubmitDisabled) {
$("[type=Submit]").attr("disabled", false);
$("[type=Submit]").css("cursor", "pointer");
}
$(".loader").remove();
blackListValidator();
});
$(document).on("keyup", "[name='emailAddress']", function () {
if (!emailSubmitDisabled) {
$("[type=Submit]").attr("disabled", false);
$("[type=Submit]").css("cursor", "pointer");
}
$(".loader").remove();
blackListValidator();
});
$(document).on("keydown", "[name='emailAddress']", function () {
if (!emailSubmitDisabled) {
$("[type=Submit]").attr("disabled", false);
$("[type=Submit]").css("cursor", "pointer");
}
$(".loader").remove();
blackListValidator();
});
return;
}
$(".BlackListError").remove();
$("[name='emailAddress']").parent().removeClass("LV_invalid_field");
if (typeof emailBlacklist == "undefined") {
return true;
}
var exceptionMail = $("[name='emailAddress']").val();
var exceptionMailFound = emailBlacklistExceptions.find(function (i) {
return exceptionMail == i
});
if (exceptionMailFound) {
return true
}
splited = $("[name='emailAddress']").val().split("@");
if (splited.length > 1) {
splited[1] = splited[1].toLowerCase().trim();
var fullHost = splited[1];
host = fullHost.split(".")[0];
var lastPart = fullHost.split(".");
lastPart = lastPart[lastPart.length - 1];
const emailBlacklistfirstpart = [];
emailBlacklist.forEach(function (i) {
emailBlacklistfirstpart.push(i.split(".")[0]);
});
var exceptionFlag = true;
if (host == "mail") {
if (fullHost.includes(".ac.za") || ["us", "edu", "org", "mx", "ca", "sg"].includes(lastPart)) {
exceptionFlag = false;
}
}
if (exceptionFlag && emailBlacklistfirstpart.includes(host)) {
if (typeof emailBlacklistErrorMessage == "undefined") {
emailBlacklistErrorMessage = "Please provide your institution/business email address.";
}
temp = "<span style='display:block!important' class=\"BlackListError LV_validation_message LV_invalid\">" + emailBlacklistErrorMessage + "</span>";
$("[name='emailAddress']").parent().append(temp);
$("[name='emailAddress']").parent().addClass("LV_invalid_field");
return false;
}
}
return true;
}
/* Fix form height Start */
setInterval(function () {
if ($(document).width() >= 1200) {
$("#about").css("min-height", $("#download").height() - 140);
} else {
$("#about").css("min-height", "");
}
if (typeof fixInputHeights == "function") {
fixInputHeights();
}
}, 200);
/* Fix form height End */
var queryT = window.location.search.substring(1);
var varsT = queryT.split("&");
for (var i = 0; i < varsT.length; i++) {
var pair = varsT[i].split("=");
if (pair[0] == "debug") {
debug_mode = true;
}
if (pair[0] == "tr_lang") {
window.translateFormLanguage = pair[1];
}
if (pair[0] == "tr_lang_dates") {
window.datesLocale = pair[1];
}
}
if (typeof tr_lang !== "undefined" && tr_lang != "") {
window.translateFormLanguage = tr_lang;
}
if (typeof tr_lang_dates !== "undefined" && tr_lang_dates != "") {
window.datesLocale = tr_lang_dates;
}
// Initialization
setutm();
readutm();
clearWhiteSpaces();
showFieldShared("dietaryRequirements");
LeadRouting = LeadRouting.toLowerCase();
$('input[name="leadRouting"]').val(LeadRouting);
var emailBlacklist = [
"12yahoo.com",
"2005yahoo.com",
"44yahoo.com",
"6654.ki.com",
"96yahoo.com",
"975.hotmail.co.uk",
"adelphia.net",
"ameritech.net",
"aol.com",
"att.net",
"attglobal.net",
"ayahoo.com",
"bell.ca",
"bellsouth.com",
"bellsouth.net",
"bigpond.com",
"bigpond.net.au",
"blueyonder.co.uk",
"bt.com",
"btinternet.com",
"cable.comcast.com",
"carolina.rr.com",
"cfl.rr.com",
"charter.net",
"chotmail.com",
"comcast.net",
"cox.com",
"cox.net",
"csc.com",
"earthlink.net",
"email.com",
"excite.com",
"ft.hotmail.com",
"fuckhotmail.com",
"gmail.com",
"gmal.com",
"googlemail.com",
"hhotmail.com",
"home.com",
"hot.ee",
"hotmail.be",
"hotmail.bg",
"hotmail.ca",
"hotmail.ccom",
"hotmail.cim",
"hotmail.cmo",
"hotmail.co",
"hotmail.co.id",
"hotmail.co.il",
"hotmail.co.jp",
"hotmail.co.th",
"hotmail.co.uk",
"hotmail.co.za",
"hotmail.co0m",
"hotmail.coim",
"hotmail.cojm",
"hotmail.com",
"hotmail.com.ar",
"hotmail.com.au",
"hotmail.com.br",
"hotmail.com.mx",
"hotmail.com.my",
"hotmail.com.tr",
"hotmail.com.tw",
"hotmail.con",
"hotmail.conm",
"hotmail.cz",
"hotmail.de",
"hotmail.dk",
"hotmail.eg",
"hotmail.es",
"hotmail.ez",
"hotmail.fr",
"hotmail.gr",
"hotmail.hu",
"hotmail.it",
"hotmail.net",
"hotmail.nl",
"hotmail.om",
"hotmail.org",
"hotmail.ro",
"hotmail.rs",
"hotmail.ru",
"hotmail.se",
"hotmail.si",
"hotmail.uk",
"hotmaill.com",
"hotmailllllly.com",
"ieee.org",
"inbox.com",
"ix.netcom.com",
"jhotmail.com",
"juniper.net",
"juno.com",
"level3.com",
"live.ca",
"live.com",
"live.fr",
"lycos.com",
"mac.com",
"mail.com",
"mail.ru",
"mail.sprint.com",
"mail.yahoo.com",
"mailinator.com",
"mailyahoo.co.in",
"me.com",
"msn.com",
"nc.rr.com",
"ncmail.net",
"netscape.net",
"netzero.com",
"netzero.net",
"noemail.com",
"ntlworld.com",
"optonline.net",
"optusnet.com.au",
"pacbell.net",
"qwest.com",
"rediffmail.com",
"roadrunner.com",
"rocketmail.com",
"rogers.com",
"sbc.com",
"sbc.yahoo.com",
"sbcglobal.net",
"sbcyahoo.com",
"shaw.ca",
"sympatico.ca",
"tampabay.rr.com",
"telus.com",
"telus.net",
"tiscali.co.uk",
"twtelecom.com",
"tx.rr.com",
"tyahoo.com",
"verizon.com",
"verizon.net",
"verizonwireless.com",
"videotron.ca",
"webroot.com",
"wi.rr.com",
"worldnet.att.net",
"xtra.co.nz",
"yahoo.bom",
"yahoo.c",
"yahoo.ca",
"yahoo.ccom",
"yahoo.cim",
"yahoo.cm",
"yahoo.cn",
"yahoo.co",
"yahoo.co.id",
"yahoo.co.in",
"yahoo.co.jp",
"yahoo.co.kr",
"yahoo.co.nz",
"yahoo.co.th",
"yahoo.co.uk",
"yahoo.coin",
"yahoo.colin",
"yahoo.com",
"yahoo.com-",
"yahoo.com.ar",
"yahoo.com.au",
"yahoo.com.br",
"yahoo.com.cn",
"yahoo.com.hk",
"yahoo.com.mx",
"yahoo.com.my",
"yahoo.com.ph",
"yahoo.com.sg",
"yahoo.com.srg",
"yahoo.com.tr",
"yahoo.com.tw",
"yahoo.com.uk",
"yahoo.com.vn",
"yahoo.comm",
"yahoo.con",
"yahoo.coom",
"yahoo.cpm",
"yahoo.de",
"yahoo.dk",
"yahoo.es",
"yahoo.fr",
"yahoo.gr",
"yahoo.ie",
"yahoo.in",
"yahoo.it",
"yahoo.lt",
"yahoo.no",
"yahoo.ocm",
"yahoo.ocm.cn",
"yahoo.om",
"yahoo.pl",
"yahoo.se",
"yahooco.uk",
"yahool.co.th",
"yahool.com",
"yahoom.com",
"yahoomail.co.in",
"yahoomail.com",
"yahooo.com",
"ymail.com",
"aol.com",
"att.net",
"comcast.net",
"facebook.com",
"gmail.com",
"gmx.com",
"googlemail.com",
"google.com",
"hotmail.com",
"hotmail.co.uk",
"mac.com",
"me.com",
"mail.com",
"msn.com",
"live.com",
"sbcglobal.net",
"verizon.net",
"yahoo.com",
"yahoo.co.uk",
"email.com",
"games.com",
"gmx.net",
"hush.com",
"hushmail.com",
"icloud.com",
"inbox.com",
"lavabit.com",
"love.com",
"outlook.com",
"pobox.com",
"rocketmail.com",
"safe-mail.net",
"wow.com",
"ygm.com",
"ymail.com",
"zoho.com",
"fastmail.fm",
"yandex.com",
"bellsouth.net",
"charter.net",
"cox.net",
"earthlink.net",
"juno.com",
"btinternet.com",
"virginmedia.com",
"blueyonder.co.uk",
"freeserve.co.uk",
"live.co.uk",
"ntlworld.com",
"o2.co.uk",
"orange.net",
"sky.com",
"talktalk.co.uk",
"tiscali.co.uk",
"virgin.net",
"wanadoo.co.uk",
"bt.com",
"sina.com",
"qq.com",
"naver.com",
"hanmail.net",
"daum.net",
"nate.com",
"yahoo.co.jp",
"yahoo.co.kr",
"yahoo.co.id",
"yahoo.co.in",
"yahoo.com.sg",
"yahoo.com.ph",
"hotmail.fr",
"live.fr",
"laposte.net",
"yahoo.fr",
"wanadoo.fr",
"orange.fr",
"gmx.fr",
"sfr.fr",
"neuf.fr",
"free.fr",
"gmx.de",
"hotmail.de",
"live.de",
"online.de",
"t-online.de",
"web.de",
"yahoo.de",
"mail.ru",
"rambler.ru",
"yandex.ru",
"ya.ru",
"list.ru",
"hotmail.be",
"live.be",
"skynet.be",
"voo.be",
"tvcablenet.be",
"telenet.be",
"hotmail.com.ar",
"live.com.ar",
"yahoo.com.ar",
"fibertel.com.ar",
"speedy.com.ar",
"arnet.com.ar",
"yahoo.com.mx",
"live.com.mx",
"hotmail.es",
"hotmail.com.mx",
"prodigy.net.mx",
"29bg.freeserve.co.uk",
"abrownless.freeserve.co.uk",
"aipotu.freeserve.co.uk",
"appledown99.freeserve.co.uk",
"bauress.freeserve.co.uk",
"beth8082.freeserve.co.uk",
"cousins1.freeserve.co.uk",
"delucchi.freeseerve.co.uk",
"devlin-fitness.freeserve.co.uk",
"erldal97.freeserve.co.uk",
"free.fr",
"free.umobile.edu",
"free2Learn.org.uk",
"free411.com",
"free-fast-email.com",
"freelan.com.mx",
"freelance.com",
"freelance-idiomas.com.ar",
"freelancer.com",
"freemail.gr",
"freemail.hu",
"freemail.ru",
"freemymail.cz.cc",
"freenet.co.uk",
"freenet.de",
"freeolamail.com",
"free-q.com",
"free-qu.com",
"freesitemail.com",
"freeuk.com",
"freewave.com",
"msn.com",
"none.co",
"none.com",
"none.edu",
"noneofyourbusiness.com",
"nonsuchschool.org",
"onefreemail.co.cc",
"ostrycharz.free-online.co.uk",
"spamfree.thanks",
"stayfree.co.uk",
"textfree.us",
"theemailfree.com",
"yahoo.com",
"yars.free.net",
"ypd58.freeserve.co.uk",
"gmeal.com",
];
var emailBlacklistExceptions = [
"quintessa_hathaway@hotmail.com",
];
thankYouTranslations = {
Home: { nl: "Home", fr: "Accueil", sv: "Hem", es: "Inicio", pt: "Início", de: "Home", ar: "الرئيسية", tr: "Ana Sayfa" },
"About Blackboard": { nl: "Over Blackboard", fr: "A propos de Blackboard", sv: "Om Blackboard", es: "Acerca de Blackboard", pt: "Sobre o Blackboard", de: "Über Blackboard", ar: "حول بلاك بورد", tr: "Blackboard Hakkında" },
"About Anthology": { nl: "Over Anthology", fr: "A propos de Anthology", sv: "Om Anthology", es: "Acerca de Anthology", pt: "Sobre o Anthology", de: "Über Anthology", ar: "حول بلاك بورد", tr: "Anthology Hakkında" },
"Contact Us": { nl: "Contacteer ons", fr: "Nous contacter", sv: "Kontakta oss", es: "Contáctenos", pt: "Contato", de: "Kontakt", ar: "اتصل بنا", tr: "Bize Ulaşın" },
"Thank you for registering": { nl: "Uw registratie is bevestigd", fr: "Merci pour votre inscription", sv: "Tack för din anmälan", es: "Gracias por registrarse", pt: "Agradecemos a sua inscrição", de: "Vielen Dank für Ihre Registrierung", ar: "شكرًا لتسجيلك", tr: "Kayıt olduğunuz için teşekkürler" },
"Your registration for the webinar is confirmed.": { nl: "Uw deelname is bevestigd ", fr: "Votre inscription à notre webinaire est confirmée.", sv: "Din anmälan är bekräftad.", es: "A continuación encontrará los detalles de la sesión para los webinars.", pt: "Abaixo você encontrará os detalhes de cada sessão para os webinars.", de: "Wir bestätigen Ihre Registrierung für das Webinar.", ar: "تم تأكيد تسجيلك في الندوة عبر الويب.", tr: "Web seminerine kaydınız onaylandı." },
"Time &amp; Date:": { nl: "Tijd en Datum:", fr: "Heure et date:", sv: "Datum och tid:", es: "Fecha & hora:", pt: "Dia & hora :", de: "Datum ; Uhrzeit:", ar: "الوقت والتاريخ:", tr: "Zaman & Tarih:" },
"Time & Date:": { nl: "Tijd en Datum:", fr: "Heure et date:", sv: "Datum och tid:", es: "Fecha & hora:", pt: "Dia & hora :", de: "Datum ; Uhrzeit:", ar: "الوقت والتاريخ:", tr: "Zaman & Tarih:" },
"Your Time &amp; Date:": { nl: "Uw tijd en datum:", fr: "Heure et date locales:", sv: "Ditt datum och tid:", es: "Fecha & hora local:", pt: "Dia & hora local:", de: "Ortszeit:", ar: "التاريخ والوقت المحليين:", tr: "Senin zaman & Tarih:" },
"Your Time & Date:": { nl: "Uw tijd en datum:", fr: "Heure et date locales:", sv: "Ditt datum och tid:", es: "Fecha & hora local:", pt: "Dia & hora local:", de: "Ortszeit:", ar: "التاريخ والوقت المحليين:", tr: "Senin zaman & Tarih:" },
"Duration:": { nl: "Duurtijd:", fr: "Durée:", sv: "Längd:", es: "Duración:", pt: "Duração:", de: "Dauer:", ar: "المدة:", tr: "Süresi:" },
"minutes": { nl: "minuten", fr: "minutes", sv: "minuter", es: "minutos", pt: "minutos", de: "minuten", ar: "دقيقة", tr: "dakika" },
"View description »": { nl: "Bekijk beschrijving »", fr: "Voir Description »", sv: "Visa beskrivning »", es: "Ver descripción »", pt: "Ver Descrição »", de: "Beschreibung ansehen", ar: "عرض الوصف", tr: "Açıklamayı görüntüle" },
"Hide description »": { nl: "Verberg beschrijving »", fr: "Masquer description »", sv: "Dölj beskrivning »", es: "Ocultar descripción »", pt: "Ocultar descrição »", de: "Beschreibung verbergen", ar: "إخفاء الوصف", tr: "Açıklamayı gizle" },
"This webinar will take place using Blackboard Collaborate.": { nl: "Deze webinar wordt gegeven via Blackboard Collaborate.", fr: "Le webinaire se déroulera en salle de classe virtuelle Blackboard Collaborate.", sv: "Webinariet sker I webmötesverktyget Blackboard Collaborate.", es: "Se realizará el webinar a través de Blackboard Collaborate.", pt: "O webinar será realizado por meio do Blackboard Collaborate. A sala de Collaborate será aberta cerca de 10 minutos antes do horário de início.", de: "Das Webinar findet in einem virtuellen Konferenzraum von Blackboard Collaborate™ statt.", ar: "تعرض هذه الندوة عبر الويب باستخدام منصة Blackboard Collaborate.", tr: "Bu web semineri, Blackboard Collaborate kullanılarak gerçekleştirilecektir." },
"Learn how to get the best experience in using Blackboard Collaborate": { nl: "Ontdek hoe u de webinar het beste ervaart met Blackboard Collaborate", fr: "Apprenez comment bénéficier de la meilleure expérience Blackboard Collaborate", sv: "Bekanta dig med Blackboard Collaborate här", es: "Conozca como obtener una mejor experiencia usando Blackboard Collaborate", pt: "Use esse tempo para acessar e verificar se tudo funciona corretamente", de: "Besuchen Sie unsere Support-Seiten zur Nutzung von Blackboard Collaborate.", ar: "تعلّم كيف تستمتع بأفضل تجربة مع منصة Blackboard Collaborate.", tr: "Blackboard'u kullanırken en iyi deneyimi nasıl elde edeceğinizi öğrenin İşbirliği yap." },
"Add to Calendar": { nl: "Voeg toe aan de kalender", fr: "Ajouter au calendrier", sv: "Lägg till i kalendern", es: "GUARDAR EN CALENDARIO", pt: "Salvar no Calendário", de: "Ihrem Kalender hinzufügen", ar: "إضافة إلى التقويم", tr: "Takvime ekle" },
"Join the webinar": { nl: "Start de webinar", fr: "Rejoindre le webinaire", sv: "Gå med i webinaret", es: "Acceso al webinar", pt: "Acceso ao webinar", de: "Zum Webinar", ar: "انضم إلى الجلسة", tr: "Web seminerine katılın" },
"Sorry, we can't load your event details.": { nl: "Sorry, we kunnen uw evenement details niet laden.", fr: "Désolé, nous ne pouvons pas charger les détails de votre événement", sv: "Vi kan tyvärr inte ladda din evenemangsinformation.", es: "Lo sentimos, no podemos cargar los detalles de su evento.", pt: "Não foi possível enviar os detalhes do seu evento.", pt: "Lo sentimos, no podemos cargar los detalles de su evento.", de: "Sorry, wir können Ihre event-details nicht laden.", ar: "عذرًا، لا يمكننا تحميل تفاصيل حدثك.", tr: "Üzgünüz, etkinlik ayrıntılarınızı yükleyemiyoruz." },
"It seems you have an ad blocker in place or may have a browser which blocks cookies which prevents us from loading the event details.": { nl: "Het lijkt erop dat U een ad-blocker actief heeft of Uw webrowser blokkeert cookies waardoor wij de evenement details niet kunnen laden.", fr: "Il semble que vous ayez un bloqueur de publicité en place ou que vous ayez un navigateur qui bloque les cookies, ce qui nous empêche de charger les détails de l'événement.", sv: "Du verkar ha en annonsblockerare på plats eller en webbläsare som blockerar cookies som hindrar oss från att ladda händelsedetaljer.", es: "Lo sentimos, no podemos cargar los detalles de su evento. Parece que tenemos problemas para cargar los detalles de su evento. Inténtelo de nuevo. Si el problema persiste, contácte a hablecon@blackboard.com.", pt: "Parece que você tem um bloqueador de anúncios habilitado ou pode ter um navegador que bloqueia cookies, impedindo-nos de carregar os detalhes do evento.", de: "Leider können wir die Informationen zur Veranstaltung nicht laden. Dies kann passieren, wenn Ihre Verbindung langsam ist, wenn Ihr Browser keine Cookies akzeptiert oder wenn Sie ein Browser-Plugin zum Blockieren von Werbeanzeigen aktiviert haben.", ar: "يبدو أن لديك مانع إعلانات أو متصفح يحجب ملفات تعريف الارتباط مما يمنعنا من تحميل تفاصيل الحدث.", tr: "Görünüşe göre bir reklam engelleyiciniz var ya da olay ayrıntılarını yüklememizi engelleyen çerezleri engelleyen bir tarayıcınız olabilir." },
"Your registration has been received but please unblock this page and refresh so that we can show you the right links and details.": { nl: "We hebben uw registratie goed ontvangen, maar probeer deze pagina aan uw uitzonderingen toe te voegen van uw ad-blocker. Als U cookies geblokkeerd heeft in uw browser, voeg deze website dan toe aan uw uitzonderingen en laad de pagina opnieuw zodat wij de pagina correct kunnen weergeven.", fr: "Votre inscription a été reçue, mais veuillez débloquer cette page et actualiser afin que nous puissions vous partager les bons liens et détails.", sv: "Din registrering har mottagits. Vänligen avblockera den här sidan och uppdatera så att vi kan visa dig rätt länkar och detaljer.", es: "Se ha recibido su registro, sin embargo debe marcar esta página como desbloqueada y refrescar su navegador para que podamos mostrarle los enlaces y detalles correctos.", pt: "Seu registro foi recebido, no entanto, você deve marcar esta página como desbloqueada e atualizar seu navegador para que possamos mostrar os links e detalhes corretos.", de: "Bitte überprüfen Sie dies und versuchen Sie es erneut, indem Sie die Seite neu laden. Sollte das Problem bestehen bleiben, Setzen Sie sich bitte mit uns in Verbindung.", ar: "تم استلام تسجيلك ولكن يرجى فتح هذه الصفحة وتحديثها حتى نتمكن من عرض الروابط والتفاصيل الصحيحة.", tr: "Kaydınız alındı, ancak lütfen bu sayfanın engelini kaldırın ve size doğru bağlantıları ve ayrıntıları gösterebilmemiz için yenileyin." },
"That's embarrassing.": { nl: "Dit is vervelend.", fr: "C'est embarrassant.", sv: "Det här är lite pinsamt.", es: "¡Lo sentimos!", pt: "Sentimos muito!", de: "Das ist peinlich.", ar: "هذا محرج.", tr: "Bu utanç verici." },
"We seem to have trouble locating your event. Please try again.": { nl: "Het lijkt erop dat we problemen ondervinden om Uw evenement te vinden. Probeer het alstublieft opnieuw.", fr: "Nous semblons avoir du mal à localiser votre événement. Veuillez réessayer.", sv: "Vi har problem med att hitta ditt evenemang. Var god försök igen.", es: "Parece que tenemos problemas para cargar los detalles de su evento. Inténtelo de nuevo.", pt: "Parece que estamos tendo problemas para carregar os detalhes do seu evento. Tente de novo.", de: "Wir haben Probleme, Ihr webinar zu finden. Versuchs noch mal.", ar: "يبدو أن هناك مشكلة في تحديد موقع حدثك. يرجى المحاولة مرة أخرى.", tr: "Etkinliğinizi bulmakta sorun yaşıyoruz. Lütfen tekrar deneyin." },
"If the problem persists, please let us know at": { nl: " Als het probleem zich blijft voordoen, laat het ons weten via", fr: "Si le problème persiste, veuillez nous en informer en envoyant un email à", sv: " Om problemet kvarstår, vänligen meddela oss på", es: "Si el problema persiste, contácte a", pt: "Se o problema persistir, entre em contato", de: "Bitte überprüfen Sie den Link und versuchen Sie es erneut. Sollte das Problem bestehen bleiben, setzen Sie sich bitte mit uns in Verbindung", ar: "إذا استمرت المشكلة، يرجى التواصل معنا عبر", tr: "Sorun devam ederse, lütfen şu adresten bize bildirin" },
"One moment while we load the event details...": { nl: "Een ogenblik geduld alstublieft, we laden uw evenement…", fr: "Un instant pendant que nous chargeons les détails de l'événement…", sv: "Ett ögonblick medan vi laddar information om evenemanget…", es: "Un momento mientras encontramos tu registro…", pt: "Espere um momento enquanto carregamos os detalhes do seu treinamento…", pt: "Un momento mientras encontramos tu registro…", de: "Einen Moment, während wir die Veranstaltungsdetails laden…", ar: "لحظة من فضلك حتى نحمّل تفاصيل الحدث...", tr: "Etkinlik ayrıntılarını yüklerken bir dakika..." },
"At the time and date of the webinar, please use this link to join the session:": { nl: "Op de tijd en datum van de webinar, volg deze link om de sessie te starten:", fr: "À l'heure et à la date du webinaire, veuillez utiliser ce lien pour rejoindre la session:", sv: "Använd länken för att gå med i sessionen när webbinariet äger rum:", es: "En la fecha y hora del webinar, utilice este enlace para unirse a la sesión:", pt: "En la fecha y hora del webinar, utilice este enlace para unirse a la sesión:", de: "Zum Webinar:", ar: "في وقت وتاريخ الندوة عبر الويب، يرجى استخدام هذا الرابط للانضمام إلى الجلسة:", tr: "Webinarın yapılacağı saat ve tarihte, oturuma katılmak için lütfen şu bağlantıyı kullanın:" },
"We are looking forward to seeing you at our webinar!": { nl: "We kijken ernaaruit om U te ontmoeten tijdens onze webinar!", fr: "Nous avons hâte de vous voir lors de notre webinaire!", sv: "Vi ser fram emot att träffa dig på vårt webinar!", es: "¡Esperamos verlo en nuestro webinar!", pt: "¡Esperamos verlo en nuestro webinar!", de: "Wir freuen uns darauf, Sie in unserem Webinar begrüßen zu dürfen!", ar: "نحن نتطلع إلى رؤيتك في ندوة الويب الخاصة بنا!", tr: "Sizi web seminerimizde görmeyi dört gözle bekliyoruz!" },
"* Ensuring a good webinar experience *": { nl: "* Zo heeft u de beleefd U deze webinar het beste *", fr: "* Garantir une bonne experience de webinaire *", sv: "* För att allt ska flyta under webinariet *", es: "* Asegurando una buena experiencia de webinar *", pt: "* Garantindo uma boa experiência *", de: "* Gewährleistung einer guten Webinar-Erfahrung *", ar: "* ضمان تجربة جيدة للندوة عبر الويب *", tr: "* İyi bir web semineri deneyimi sağlamak *" },
"The webinar will take place in a Blackboard Collaborate&trade; virtual conference room. You will need to make sure you have a good internet connection and your computer speakers are turned on as audio will be via VOIP.": { nl: "The webinar vind plaats in een Blackboard Collaborate™ virtuele conferentie ruimte. Het is een vereiste dat U een goede en stabiele internetverbinding heeft en uw speakers van uw computer aan staan. De audio wordt gestreamd via VOIP.", fr: "Le webinaire aura lieu dans une salle de conférence virtuelle Blackboard Collaborate ™. Assurez-vous que vous disposez d'une bonne connexion Internet et que les haut-parleurs de votre ordinateur soient allumés car l'audio se fera via VOIP.", sv: "Webinariet sker I ett virtuellt konferensrum för Blackboard Collaborate ™. Säkerställ en bra internetanslutning och att datorhögtalarna är påslagna eftersom ljudet kommer via VOIP.", es: "El webinar tendrá lugar en una sala de conferencias virtual de Blackboard Collaborate&trade;. Asegúrese de tener una buena conexión a Internet y que los altavoces de su computadora estén encendidos ya que el audio se realizará a través de VOIP.", pt: "A sessão será realizada em uma sala de conferência virtual Blackboard Collaborate ™. Certifique-se de que tem uma boa ligação à Internet e de que os altifalantes do seu computador estão ligados, pois o áudio será via VOIP.", de: "Das Webinar findet in einem virtuellen Konferenzraum von Blackboard Collaborate™ statt. Stellen Sie sicher, dass Sie eine gute Internetverbindung haben und Ihre Computerlautsprecher eingeschaltet sind, da der Ton über VOIP übertragen wird. Für ein optimales Erlebnis empfehlen wir den Chrome Browser.", ar: "تعقد الندوة عبر الويب في غرفة اجتماعات افتراضية لـ Blackboard Collaborate. عليك التأكد من أن لديك اتصال إنترنت جيد وأن سماعات حاسوبك قيد التشغيل حيث سيكون الصوت من خلال وسيلة الصوت عبر بروتوكول الإنترنت VOIP.", tr: "Webinar, Blackboard Collaborate ™ sanal konferans odasında gerçekleştirilecektir. İyi bir internet bağlantınız olduğundan ve bilgisayar hoparlörlerinizin açık olduğundan emin olmanız gerekecek, çünkü ses VOIP aracılığıyla verilecektir." },
"The webinar will take place in a Blackboard Collaborate™ virtual conference room. You will need to make sure you have a good internet connection and your computer speakers are turned on as audio will be via VOIP.": { nl: "The webinar vind plaats in een Blackboard Collaborate™ virtuele conferentie ruimte. Het is een vereiste dat U een goede en stabiele internetverbinding heeft en uw speakers van uw computer aan staan. De audio wordt gestreamd via VOIP.", fr: "Le webinaire aura lieu dans une salle de conférence virtuelle Blackboard Collaborate ™. Assurez-vous que vous disposez d'une bonne connexion Internet et que les haut-parleurs de votre ordinateur soient allumés car l'audio se fera via VOIP.", sv: "Webinariet sker I ett virtuellt konferensrum för Blackboard Collaborate ™. Säkerställ en bra internetanslutning och att datorhögtalarna är påslagna eftersom ljudet kommer via VOIP.", es: "El webinar tendrá lugar en una sala de conferencias virtual de Blackboard Collaborate&trade;. Asegúrese de tener una buena conexión a Internet y que los altavoces de su computadora estén encendidos ya que el audio se realizará a través de VOIP.", pt: "A sessão será realizada em uma sala de conferência virtual Blackboard Collaborate ™. Certifique-se de que tem uma boa ligação à Internet e de que os altifalantes do seu computador estão ligados, pois o áudio será via VOIP.", de: "Das Webinar findet in einem virtuellen Konferenzraum von Blackboard Collaborate™ statt. Stellen Sie sicher, dass Sie eine gute Internetverbindung haben und Ihre Computerlautsprecher eingeschaltet sind, da der Ton über VOIP übertragen wird. Für ein optimales Erlebnis empfehlen wir den Chrome Browser.", ar: "تعقد الندوة عبر الويب في غرفة اجتماعات افتراضية لـ Blackboard Collaborate. عليك التأكد من أن لديك اتصال إنترنت جيد وأن سماعات حاسوبك قيد التشغيل حيث سيكون الصوت من خلال وسيلة الصوت عبر بروتوكول الإنترنت VOIP.", tr: "Webinar, Blackboard Collaborate ™ sanal konferans odasında gerçekleştirilecektir. İyi bir internet bağlantınız olduğundan ve bilgisayar hoparlörlerinizin açık olduğundan emin olmanız gerekecek, çünkü ses VOIP aracılığıyla verilecektir." },
"* Browser based *": { nl: "* Browser based *", fr: "* Navigateur *", sv: "* Webbläsarbaserat *", es: "* Baseado no navegador *", pt: "", de: "* Fenêtre de navigateur *", ar: "* تستند إلى المتصفح *", tr: "* Tarayıcı tabanlı *" },
"The webinar will be hosted in a browser window. We recommend using Chrome&trade; for the best experience.": { nl: "De webinar wordt gehost in een webbrowser sherm. Voor de beste ervaring adviseren wij U Chrome™ te gebruiken.", fr: "Le webinaire sera hébergé dans une fenêtre de navigateur. Nous vous recommandons d'utiliser Chrome ™ pour une expérience optimale.", sv: "Webinariet sker via webläsare. Vi rekommenderar Chrome ™ för den bästa upplevelsen.", es: "El webinar se ejecutará en una ventana de navegador. Recomendamos usar Chrome&trade; para una mejor experiencia.", pt: "A sessão será executada em uma janela do navegador. Recomendamos o uso do Chrome™ para uma melhor experiência.", de: "Für ein optimales Erlebnis empfehlen wir den Chrome Browser.", ar: "يتم استضافة الندوة عبر الويب في نافذة متصفح. نوصي باستخدام جوجل كروم للحصول على أفضل تجربة.", tr: "Webebinar bir tarayıcı penceresinde düzenlenecektir. En iyi deneyim için Chrome ™ kullanmanızı öneririz." },
"The webinar will be hosted in a browser window. We recommend using Chrome™ for the best experience.": { nl: "De webinar wordt gehost in een webbrowser sherm. Voor de beste ervaring adviseren wij U Chrome™ te gebruiken.", fr: "Le webinaire sera hébergé dans une fenêtre de navigateur. Nous vous recommandons d'utiliser Chrome ™ pour une expérience optimale.", sv: "Webinariet sker via webläsare. Vi rekommenderar Chrome ™ för den bästa upplevelsen.", es: "El webinar se ejecutará en una ventana de navegador. Recomendamos usar Chrome&trade; para una mejor experiencia.", pt: "A sessão será executada em uma janela do navegador. Recomendamos o uso do Chrome™ para uma melhor experiência.", de: "Für ein optimales Erlebnis empfehlen wir den Chrome Browser.", ar: "يتم استضافة الندوة عبر الويب في نافذة متصفح. نوصي باستخدام جوجل كروم للحصول على أفضل تجربة.", tr: "Webebinar bir tarayıcı penceresinde düzenlenecektir. En iyi deneyim için Chrome ™ kullanmanızı öneririz." },
"* Join Early *": { nl: "* Log in een paar minuten voor de webinar begint *", fr: "* Rejoindre la session en avance *", sv: "* Gå med tidigt *", es: "* Únase con tiempo *", pt: "* Junte-se cedo *", de: "* Details zur Teilnahme *", ar: "* انضم مبكرًا *", tr: "* Erken Katılın *" },
"If you can, join a session early and get to know your way around. You can then also set up your audio and video.": { nl: "", fr: "Si vous le pouvez, rejoignez une session 5-10 minutes avant l'heure prévue et familiarisez vous avec l'environement. Vous pouvez également configurer votre audio et vidéo.", sv: "Om du kan, gå med i sessionen lite tidigare för att bekanta dig. Också bra för att hinna ställa in ljud.", es: "De ser posible, únase a una sesión con tiempo. Posteriormente, también podrá configurar su audio y video", pt: "Se possível, junte-se a uma sessão mais cedo. Posteriormente, você também pode configurar seu áudio e vídeo", de: "Stellen Sie sicher, dass Sie den virtuellen Lernraum mindestens 5-10 Minuten vor Beginn Ihres Webinars betreten. Für ein perfektes Webinar-Erlebnis beachten Sie bitte unbedingt die folgenden Tipps.", ar: "إذا استطعت، انضم إلى الجلسة مبكرًا وتعرف على ما تريد. يمكنك بعد ذلك أيضًا إعداد الصوت والفيديو.", tr: "Mümkünse, erken bir oturuma katılın ve yolunuzu tanıyın. Daha sonra ses ve videonuzu da ayarlayabilirsiniz." },
"* Learn More *": { nl: "* Hulp nodig? *", fr: "* En savoir plus *", sv: "* Läs mer *", es: "* Conozca más *", pt: "* Saiba mais *", de: "* Mehr erfahren *", ar: "*تعلّم المزيد*", tr: "* Daha fazla bilgi edin *" },
"Follow this link to learn more:": { nl: "Klik op deze link om de help pagina op te reopen:", fr: "Suivez ce lien pour en savoir plus:", sv: "Webinariet sker I webmötesverktyget Blackboard Collaborate:", es: "Siga este enlace para obtener más información:", pt: "Siga este link para mais informações:", de: "Folgen Sie diesem Link, um mehr erfahren:", ar: "اتبع هذا الرابط لتعلّم المزيد:", tr: "Daha fazla bilgi edinmek için bu bağlantıyı izleyin" },
"Follow this link to learn more: ": { nl: "Klik op deze link om de help pagina op te reopen: ", fr: "Suivez ce lien pour en savoir plus: ", sv: "Webinariet sker I webmötesverktyget Blackboard Collaborate: ", es: "Siga este enlace para obtener más información: ", pt: "Siga este link para mais informações: ", de: "Folgen Sie diesem Link, um mehr erfahren: ", ar: "اتبع هذا الرابط لتعلّم المزيد: ", tr: "Daha fazla bilgi edinmek için bu bağlantıyı izleyin " },
"If you have any further questions about this webinar, the webinar series, or Blackboard in general, please send us an email at": { nl: "Mocht U meer vragen hebben over deze webinar, of onze andere webinar serie of algemene vragen over", fr: "Pour toute question concernant ce webinair, la série de webinaires ou Blackboard en général, n'hésitez pas à nous écrire à", sv: "Om du har fler frågor om webbinariet, webinarserien eller Blackboard i allmänhet, skicka ett e-postmeddelande till oss på", es: "Si tiene preguntas sobre este webinar, la serie de webinars o sobre Blackboard en general, por favor envíenos un email a", pt: "Si tiene preguntas sobre este webinar, la serie de webinars o sobre Blackboard en general, por favor envíenos un email a", de: "Wenn Sie weitere Fragen haben, senden Sie uns bitte eine E-Mail an", ar: "إذا كانت لديك أسئلة أخرى حول هذه الندوة عبر الويب أو سلسلة الندوة أو بلاك بورد بشكل عام، فيرجى إرسال بريد إلكتروني إلى", tr: "Bu webinarı, webinar serisi veya genel olarak Blackboard hakkında başka sorularınız varsa, lütfen şu adresten bize bir e-posta gönderin:" },
"AskUs@blackboard.com": { nl: "AskEUROPE@blackboard.com", fr: "AskEUROPE@blackboard.com", sv: "AskEUROPE@blackboard.com", es: "hablecon@blackboard.com", pt: "hablecon@blackboard.com", de: "AskEUROPE@blackboard.com", ar: "AskMea@blackboard.com", tr: "AskMea@blackboard.com" },
"If you have any further questions about this webinar, the webinar series, or Blackboard in general, please send us an email at ": { nl: "Mocht U meer vragen hebben over deze webinar, of onze andere webinar serie of algemene vragen over ", fr: "Pour toute question concernant ce webinair, la série de webinaires ou Blackboard en général, n'hésitez pas à nous écrire à ", sv: "Om du har fler frågor om webbinariet, webinarserien eller Blackboard i allmänhet, skicka ett e-postmeddelande till oss på ", es: "Si tiene preguntas sobre este webinar, la serie de webinars o sobre Blackboard en general, por favor envíenos un email a ", pt: "Si tiene preguntas sobre este webinar, la serie de webinars o sobre Blackboard en general, por favor envíenos un email a ", de: "Wenn Sie weitere Fragen haben, senden Sie uns bitte eine E-Mail an ", ar: "إذا كانت لديك أسئلة أخرى حول هذه الندوة عبر الويب أو سلسلة الندوة أو بلاك بورد بشكل عام، فيرجى إرسال بريد إلكتروني إلى ", tr: "Bu webinarı, webinar serisi veya genel olarak Blackboard hakkında başka sorularınız varsa, lütfen şu adresten bize bir e-posta gönderin " },
"Online using Blackboard Collaborate": { nl: "Deze webinar wordt gegeven via Blackboard Collaborate", fr: "En ligne via Blackboard Collaborate", sv: "Webinariet sker I webmötesverktyget Blackboard Collaborate", es: "En línea con Blackboard Collaborate", pt: "Online com o Blackboard Collaborate", de: "Online mit Blackboard Collaborate", ar: "باستخدام منصة Blackboard Collaborate", tr: "Blackboard Collaborate aracılığıyla çevrimiçi" },
"https://help.blackboard.com/Collaborate/Ultra/Participant/Get_Started": { nl: "https://help.blackboard.com/nl-nl/Collaborate/Ultra/Participant/Get_Started", fr: "https://help.blackboard.com/fr-fr/Collaborate/Ultra/Participant/Get_Started", sv: "https://help.blackboard.com/sv-se/Collaborate/Ultra/Participant/Get_Started", es: "https://help.blackboard.com/es-es/Collaborate/Ultra/Participant/Get_Started", pt: "https://help.blackboard.com/pt-br/Collaborate/Ultra/Participant/Get_Started", de: "https://help.blackboard.com/de-de/Collaborate/Ultra/Participant/Get_Started", ar: "https://help.blackboard.com/ar-sa/Collaborate/Ultra/Participant/Get_Started", tr: "https://help.blackboard.com/tr-tr/Collaborate/Ultra/Participant/Get_Started" },
"https://help.blackboard.com/Collaborate/Ultra/Participant": { nl: "https://help.blackboard.com/nl-nl/Collaborate/Ultra/Participant/", fr: "https://help.blackboard.com/fr-fr/Collaborate/Ultra/Participant/", sv: "https://help.blackboard.com/sv-se/Collaborate/Ultra/Participant/", es: "https://help.blackboard.com/es-es/Collaborate/Ultra/Participant/", pt: "https://help.blackboard.com/pt-br/Collaborate/Ultra/Participant/", de: "https://help.blackboard.com/de-de/Collaborate/Ultra/Participant/", ar: "https://help.blackboard.com/ar-sa/Collaborate/Ultra/Participant/", tr: "https://help.blackboard.com/tr-tr/Collaborate/Ultra/Participant/" },
};
thankYouTranslations["Thank You For Registering"] = thankYouTranslations["Thank you for registering"];
translationsNotFoundThankYou = [];
translateLangThankYou = "en";
initializeExtraValidators();
if (typeof translateRegistrationForm == "function") {
translateRegistrationForm();
}
function checkFurtherEducationBasedOnCountry() {
var country = $("select[name='country']").val();
country = (country + "").toString().toLowerCase();
if (["usa", "united states", "canada", "us", "ca"].includes(country)) {
$("[value='Further Education']").hide();
} else {
$("[value='Further Education']").show();
}
}
function checkOptInBasedOnCountry() {
var country = $("select[name='country']").val();
country = (country + "").toString().toLowerCase();
var lacCountries = ["Anguilla", "Antigua and Barbuda", "Argentina", "Aruba", "Barbados", "Belize", "Bermuda", "Bolivia", "Bonaire", "Cayman Islands", "Chile", "Colombia", "Costa Rica", "Jamaica", "Cuba", "Curacao", "Dominica", "Dominican Republic", "Ecuador", "El Salvador", "Falkland Islands (malvinas)", "French Guiana", "Grenada", "Guadeloupe", "Guatemala", "Guyana", "Haiti", "Honduras", "Martinique", "Mexico", "Montserrat", "Nicaragua", "Panama", "Paraguay", "Peru", "Saint Kitts and Nevis", "Saint Lucia", "Saint Martin", "St Vincent and the Grenadines", "Sth Georgia & Sth Sandwich Is", "Sth Georgia & Sth Sandwich Is", "Suriname", "The Bahamas", "Trinidad and Tobago", "Turks and Caicos Islands", "Uruguay", "Venezuela", "Virgin Islands (British)"];
for (var i = 0; i < lacCountries.length; i++) {
lacCountries[i] = (lacCountries[i] + "").toString().toLowerCase();
}
if (["usa", "united states", "us"].includes(country) || lacCountries.includes(country)) {
$("[name=OptIn]").prop("checked", true);
} else {
$("[name=OptIn]").prop("checked", false);
$("[name=OptIn]").closest(".layout-col.d-none").removeClass("d-none");
}
$("[name=OptIn]").trigger("change");
}
function initAreaOfInterestAutomation(region) {
var demo = typeof areaOfInterestAutomationDemo !== "undefined" && areaOfInterestAutomationDemo === "true";
if (region == "global") {
if (typeof document.getElementsByName("hiddenAreaOfInterestAutomation")[0] != "undefined") {
document.getElementsByName("hiddenAreaOfInterestAutomation")[0].value = "global";
}
var listBB = ["Blackboard", "Anthology Ally", "Online Program Experience (OPX)", "Research & Strategy", "Performance Marketing", "Enrollment Management", "One Stop", "Help Desk", "Retention Coaching", "Chatbot", "Consulting Services", "Managed Services", "Training"];
var listAnthology = ["Anthology Reach", "Anthology Digital Assistant", "Anthology Engage", "Anthology Milestone", "Anthology Occupation Insight",
"Anthology Encompass", "Anthology Raise", "Anthology Student", "Anthology Finance & HCM Management", /*"Anthology Human Capital Management",*/ "Anthology Payroll", "Anthology Student Verification",
"Anthology Insight", "Anthology Collective Review", "Anthology Evaluate", "Anthology Outcomes", "Anthology Planning", "Anthology Portfolio", "Anthology Accreditation",
"Anthology Program Review"];
var bbSelector = ["Accessibility & Inclusive Access", /*"Learning Effectiveness",*/ /*"Online Program Management",*/ /*"Recruitment",*/ "Strategic Marketing & Recruiting Services", "Support & Retention Services", "Teaching & Learning", "Consulting Services"];
var anthologySelector = ["Accreditation & Self-Study", "Alumni & Advancement", "Assessment Management", "Career Development", "Data & Analytics", "Enrollment & Retention", "Enterprise Performance", "Student Information & Enterprise Resources"];
var opValueMapping = {
"Accessibility & Inclusive Access": "Accessibility",
/*"Learning Effectiveness": "Learning Solutions",*/
/*Recruitment: "Strategic Marketing & Recruiting Services",*/
"Strategic Marketing & Recruiting Services": "Strategic Marketing & Recruiting Services",
"Support & Retention Services": "IT Help Desk & One Stop Services",
"Teaching & Learning": "Learning Solutions",
"Consulting Services": "Enterprise Consulting",
"Anthology Ally": "Blackboard Ally",
"Online Program Experience (OPX)": "Marketing & Enrollment Services",
"Research & Strategy": "Marketing & Enrollment Services",
"Performance Marketing": "Marketing & Enrollment Services",
"Enrollment Management": "Marketing & Enrollment Services",
"One Stop": "One Stop Services",
"Help Desk": "IT Help Desk Services",
"Retention Coaching": "Marketing & Enrollment Services",
"Chatbot": "IT Help Desk Services",
"Managed Services": "Consulting Services",
"Training": "Blackboard Academy",
};
var customSelector = {
"Accreditation & Self-Study": ["Anthology Accreditation", "Anthology Program Review"],
"Alumni & Advancement": ["Anthology Encompass", "Anthology Raise"],
"Assessment Management": ["Anthology Collective Review", "Anthology Evaluate", "Anthology Outcomes", "Anthology Planning", "Anthology Portfolio"],
"Career Development": ["Anthology Milestone", "Anthology Occupation Insight"],
"Enrollment & Retention": ["Anthology Reach", "Anthology Digital Assistant", "Anthology Engage", "Anthology Succeed", "Anthology Apply"],
"Enterprise Performance": ["Anthology Insight"],
"Student Information & Enterprise Resources": ["Anthology Student", "Anthology Finance & HCM", "Anthology Payroll", "Anthology Student Verification"],
"Accessibility & Inclusive Access": ["Anthology Ally"],
"Strategic Marketing & Recruiting Services": ["Online Program Experience (OPX)", "Research & Strategy", "Performance Marketing", "Enrollment Management", "Retention Coaching"],
"Support & Retention Services": ["One Stop", "Help Desk", "Chatbot"],
"Teaching & Learning": ["Blackboard", "Anthology Ally"],
"Consulting Services": ["Consulting Services", "Managed Services", "Training"],
"Data & Analytics": ["Anthology Illuminate"]
};
}
else if (region == "international") {
if (typeof document.getElementsByName("hiddenAreaOfInterestAutomation")[0] != "undefined") {
document.getElementsByName("hiddenAreaOfInterestAutomation")[0].value = "international";
}
var listBB = ["Anthology Ally", "Blackboard"];
var listAnthology = ["Anthology Evaluate", "Anthology Engage", "Anthology Milestone", "Anthology Portfolio", "Anthology Reach", "Anthology Student"];
var bbSelector = ["Accessibility & Inclusive Access", "Teaching & Learning", "Consulting Services"];
var anthologySelector = ["Assessment Management", "Career Development", "Data & Analytics", "Enrollment & Retention", /*"Learning Effectiveness",*/ "Student Information & Enterprise Resources"];
var opValueMapping = {
"Accessibility & Inclusive Access": "Accessibility",
/*"Learning Effectiveness" : "Learning Solutions",*/
"Recruitment": "Strategic Marketing & Recruiting Services",
"Support & Retention": "IT Help Desk & One Stop Services",
"Teaching & Learning": "Learning Solutions",
"Consulting Services": "Enterprise Consulting",
"Anthology Ally": "Blackboard Ally",
"Online Program Experience (OPX)": "Marketing & Enrollment Services",
"Research & Strategy": "Marketing & Enrollment Services",
"Performance Marketing": "Marketing & Enrollment Services",
"Enrollment Management": "Marketing & Enrollment Services",
"One Stop": "One Stop Services",
"Help Desk": "IT Help Desk Services",
"Retention Coaching": "Marketing & Enrollment Services",
"Chatbot": "IT Help Desk Services",
"Managed Services": "Consulting Services",
"Training": "Blackboard Academy",
};
var customSelector = {
"Assessment Management": ["Anthology Evaluate", "Anthology Portfolio"],
"Career Development": ["Anthology Milestone"],
"Enrollment & Retention": ["Anthology Engage", "Anthology Reach"],
"Student Information": ["Anthology Student"],
"Student Information & Enterprise Resources": ["Anthology Student"],
"Teaching & Learning": ["Blackboard", "Anthology Ally"],
"Accessibility & Inclusive Access": ["Anthology Ally"],
"Consulting Services": ["Consulting Services", "Managed Services", "Training"],
"Data & Analytics": ["Anthology Illuminate"]
};
}
else {
return;
}
var areaOfInterestJoined = [];
bbSelector.map(function (item) {
areaOfInterestJoined.push(item);
});
anthologySelector.map(function (item) {
areaOfInterestJoined.push(item);
});
areaOfInterestJoined.sort();
listBB.sort();
listAnthology.sort();
if ($("[name=areaofInterest1]").length > 0) {
var $areaofInterest = $("[name=areaofInterest1]");
}
else if ($("[name=areaofInterest]").length > 0) {
var $areaofInterest = $("[name=areaofInterest]");
}
else if ($("[name=areaOfInterest]").length > 0) {
var $areaofInterest = $("[name=areaOfInterest]");
}
else {
console.error("No area of interest field found");
return;
}
if ($("[name=productServiceInterest1]").length > 0) {
var $productServiceInterest = $("[name=productServiceInterest1]");
}
else if ($("[name=productServiceInterest]").length > 0) {
var $productServiceInterest = $("[name=productServiceInterest]");
} else {
console.error("No product service interest field found");
return;
}
if ($("[name=hiddenAreaOfInterest]").length > 0) {
var $hiddenAreaOfInterest = $("[name=hiddenAreaOfInterest]");
}
else {
console.error("No hidden area of interest field found");
return;
}
if ($("[name=hiddenProductServiceInterest1]").length > 0) {
var $hiddenProductServiceInterest = $("[name=hiddenProductServiceInterest1]");
}
else if ($("[name=hiddenProductServiceInterest]").length > 0) {
var $hiddenProductServiceInterest = $("[name=hiddenProductServiceInterest]");
}
else {
console.error("No hidden product service field found");
return;
}
var areaofInterestFieldValidation = new LiveValidation($areaofInterest[0], { validMessage: "", onlyOnBlur: false, wait: 300, isPhoneField: false });
const areaofInterestFieldValidationParams = { failureMessage: "This field is required" };
if (demo) {
$areaofInterest.closest(".grid-layout-col").insertAfter($productServiceInterest.closest(".grid-layout-col"));
} else {
var areaOfIntId = $areaofInterest[0].id;
if(typeof areaOfIntId != "undefined" && areaOfIntId != "") {
var label = $(`[for=${areaOfIntId}]`);
if(label.find(".elq-required").length == 0 && label.find(".required").length == 0){
label.append('<span class="elq-required">*</span>');
}
}
areaofInterestFieldValidation.add(Validate.Presence, areaofInterestFieldValidationParams);
}
var pleaseSelect = "-- Please Select --";
if (typeof areaOfInterestAutomationCustomAreaOfInterestDefault != "undefined" && areaOfInterestAutomationCustomAreaOfInterestDefault != "") {
pleaseSelect = areaOfInterestAutomationCustomAreaOfInterestDefault;
}
if (typeof labelsAsPlaceholders != "undefined" && (labelsAsPlaceholders === true || labelsAsPlaceholders === "true")) {
var label = $(`[for=${$areaofInterest.attr("id")}]`);
if (label.length > 0) {
pleaseSelect = label.text().toString().replace("*", "");
}
}
if (typeof _translateRegistrationForm != "undefined") {
pleaseSelect = _translateRegistrationForm(pleaseSelect, true);
}
$areaofInterest.html('<option value="">' + pleaseSelect + '</option>');
if (typeof amendCustomAreaOfInterestInterest == "function") {
areaOfInterestJoined = amendCustomAreaOfInterestInterest(areaOfInterestJoined);
}
for (var op in areaOfInterestJoined) {
op = areaOfInterestJoined[op];
var opLabel = op;
if (typeof _translateRegistrationForm != "undefined") {
opLabel = _translateRegistrationForm(opLabel, true);
}
var selected = [opLabel, op].includes(findGetParameter("areaofInterest1")) || [opLabel, op].includes(findGetParameter("areaofInterest")) ? " selected" : "";
$areaofInterest.append(`<option value="${op}"${selected}>${opLabel}</option>`);
}
function areaOfInterestChange() {
var demo = typeof areaOfInterestAutomationDemo !== "undefined" && areaOfInterestAutomationDemo === "true";
var val = $areaofInterest.val();
$hiddenAreaOfInterest.val(val);
if (typeof opValueMapping[val] != "undefined") {
$hiddenAreaOfInterest.val(opValueMapping[val]);
}
if (typeof defaultProductService != "undefined" && defaultProductService != "") {
if (typeof hideProductService != "undefined" && hideProductService === "true") {
return;
}
}
var text = $areaofInterest.find("option:selected").text().trim();
if (!demo) {
$productServiceInterest.closest(".grid-layout-col").show();
if (typeof val == "undefined" || val == null || val == "") {
$productServiceInterest.closest(".grid-layout-col").hide();
}
}
var selector = [];
var pleaseSelect = "-- Please Select --";
if (typeof areaOfInterestAutomationCustomProductInterestDefault != "undefined" && areaOfInterestAutomationCustomProductInterestDefault != "") {
pleaseSelect = areaOfInterestAutomationCustomProductInterestDefault;
}
if (typeof labelsAsPlaceholders != "undefined" && (labelsAsPlaceholders === true || labelsAsPlaceholders === "true")) {
var label = $(`[for=${$productServiceInterest.attr("id")}]`);
if (label.length > 0) {
pleaseSelect = label.text().toString().replace("*", "");
}
}
if (typeof _translateRegistrationForm != "undefined") {
pleaseSelect = _translateRegistrationForm(pleaseSelect, true);
}
$productServiceInterest.html('<option value="">' + pleaseSelect + '</option>');
if (typeof customSelector[val] != "undefined" || typeof customSelector[text] != "undefined") {
selector = typeof customSelector[val] != "undefined" ? customSelector[val] : customSelector[text];
} else if (bbSelector.includes(val) || bbSelector.includes(text)) {
selector = listBB;
} else if (anthologySelector.includes(val) || anthologySelector.includes(text)) {
selector = listAnthology;
}
if (demo) {
selector = [];
for (c in listAnthology) {
selector.push(listAnthology[c]);
}
for (c in listBB) {
selector.push(listBB[c]);
}
selector.sort();
}
if (typeof amendCustomAreaOfInterestProduct == "function") {
selector = amendCustomAreaOfInterestProduct(selector, val);
}
for (var op in selector) {
op = selector[op];
var opLabel = op;
if (typeof _translateRegistrationForm != "undefined") {
opLabel = _translateRegistrationForm(opLabel, true);
}
var selected = [opLabel, op].includes(findGetParameter("productServiceInterest1")) || [opLabel, op].includes(findGetParameter("productServiceInterest")) ? " selected" : "";
$productServiceInterest.append(`<option value="${op}"${selected}>${opLabel}</option>`);
}
productServiceInterestChange();
}
function productServiceInterestChange() {
var demo = typeof areaOfInterestAutomationDemo !== "undefined" && areaOfInterestAutomationDemo === "true";
var val = $productServiceInterest.val();
$hiddenProductServiceInterest.val(val);
if (typeof opValueMapping[val] != "undefined" && val != "Consulting Services") {
$hiddenProductServiceInterest.val(opValueMapping[val]);
}
if (demo) {
$areaofInterest.closest(".grid-layout-col").show();
$areaofInterest.closest(".grid-layout-col").find(".elq-required").remove();
$(".areaofInterestAutomatedFakeOption").remove();
if (typeof val != "undefined" && val != null && val != "") {
$areaofInterest.closest(".grid-layout-col").hide();
$areaofInterest.append(`<option class="areaofInterestAutomatedFakeOption" value="${val}">${val}</option>`);
$hiddenAreaOfInterest.val("");
$areaofInterest.val("");
areaofInterestFieldValidation.remove(Validate.Presence, areaofInterestFieldValidationParams);
}
else if (areaofInterestFieldValidation.validations.length == 0) {
areaofInterestFieldValidation.add(Validate.Presence, areaofInterestFieldValidationParams);
}
}
// console.log($hiddenAreaOfInterest.val());
// console.log($hiddenProductServiceInterest.val());
}
$areaofInterest.change(areaOfInterestChange);
$productServiceInterest.change(productServiceInterestChange);
if (typeof defaultWhatProblem != "undefined" && defaultWhatProblem != "") {
$("[name=whatProblem]").val(defaultWhatProblem);
$hiddenAreaOfInterest.val(defaultWhatProblem);
for (v in opValueMapping) {
if (opValueMapping[v] == defaultWhatProblem) {
defaultWhatProblem = v;
break;
}
}
if ($areaofInterest.find("[value='" + defaultWhatProblem + "']").length == 0) {
$areaofInterest.append(`<option value="${defaultWhatProblem}">${defaultWhatProblem}</option>`);
}
$areaofInterest.val(defaultWhatProblem);
}
areaOfInterestChange();
if (typeof defaultProductService != "undefined" && defaultProductService != "") {
$("[name=whatProblem]").val(defaultProductService);
$hiddenProductServiceInterest.val(defaultProductService);
if ($productServiceInterest.find("[value='" + defaultProductService + "']").length == 0) {
$productServiceInterest.append(`<option value="${defaultProductService}">${defaultProductService}</option>`);
}
$productServiceInterest.val(defaultProductService);
}
if (typeof defaultWhatProblem != "undefined" && defaultWhatProblem != "") {
if (typeof hideAreaOfInterest != "undefined" && hideAreaOfInterest === "true") {
$areaofInterest.closest(".grid-layout-col").hide();
}
}
if (typeof defaultProductService != "undefined" && defaultProductService != "") {
if (typeof hideProductService != "undefined" && hideProductService === "true") {
$productServiceInterest.closest(".grid-layout-col").hide();
}
}
}
function SetCaretAtEnd(elem) {
var elemLen = elem.value.length;
// For IE Only
if (document.selection) {
// Set focus
elem.focus();
// Use IE Ranges
var oSel = document.selection.createRange();
// Reset position to 0 & then set at end
oSel.moveStart("character", -elemLen);
oSel.moveStart("character", elemLen);
oSel.moveEnd("character", 0);
oSel.select();
} else if (elem.selectionStart || elem.selectionStart == "0") {
// Firefox/Chrome
elem.selectionStart = elemLen;
elem.selectionEnd = elemLen;
elem.focus();
}
}
var companyFiltered = $(`<div class="companyFiltered" style="display:none"></div>`);
function closestString(arr, arrSearch, str) {
str = str.toString().toLowerCase();
var orderedResult = [];
for (var i in companyList) {
var temp = sorensenDiceDistance(arrSearch[i], str);
orderedResult.push([temp * -1, arr[i]]);
}
orderedResult.sort(function (a, b) {
return a[0] - b[0];
});
return orderedResult;
}
function levenshteinDistance(str1, str2) {
var m = str1.length;
var n = str2.length;
var d = [];
for (var i = 0; i <= m; i++) {
d[i] = [];
d[i][0] = i;
}
for (var j = 0; j <= n; j++) {
d[0][j] = j;
}
for (var j = 1; j <= n; j++) {
for (var i = 1; i <= m; i++) {
if (str1[i - 1] == str2[j - 1]) {
d[i][j] = d[i - 1][j - 1];
} else {
d[i][j] = Math.min(d[i - 1][j] + 1, d[i][j - 1] + 1, d[i - 1][j - 1] + 1);
}
}
}
return d[m][n];
}
function sorensenDiceDistance(fst, snd) {
var i, j, k, map, match, ref, ref1, sub;
if (fst.length < 2 || snd.length < 2) {
return 0;
}
map = new Map;
for (i = j = 0, ref = fst.length - 2; (0 <= ref ? j <= ref : j >= ref); i = 0 <= ref ? ++j : --j) {
sub = fst.substr(i, 2);
if (map.has(sub)) {
map.set(sub, map.get(sub) + 1);
} else {
map.set(sub, 1);
}
}
match = 0;
for (i = k = 0, ref1 = snd.length - 2; (0 <= ref1 ? k <= ref1 : k >= ref1); i = 0 <= ref1 ? ++k : --k) {
sub = snd.substr(i, 2);
if (map.get(sub) > 0) {
match++;
map.set(sub, map.get(sub) - 1);
}
}
return 2.0 * match / (fst.length + snd.length - 2);
};
function filterCompany() {
companyFiltered.html("");
companyFiltered.css("display", "none");
var companyInput = $("[name=company]");
var padding = companyInput.css("padding");
var val = companyInput.val();
if (val.length > 0) {
var orderedResult = closestString(companyList, companyListLower, val);
companyFiltered.css("display", "");
if (orderedResult[0][1] != val) {
companyFiltered.append(`<div class="companyFilteredItem" onclick="selectCompany(this)">${val}</div>`);
}
for (var i = 0; i < 5; i++) {
companyFiltered.append(`<div class="companyFilteredItem" onclick="selectCompany(this)">${orderedResult[i][1]}</div>`);
}
companyFiltered.find(".companyFilteredItem").css("padding", padding);
}
}
function removeCompany() {
setTimeout(function () {
companyFiltered.css("display", "none");
}, 200);
}
function selectCompany(e) {
$("[name=company]").val($(e).text().trim());
$(".companyFiltered").css("display", "none");
}
var companyStyling = `.companyList {
position: relative;
}
.companyList .companyFiltered {
position: absolute;
width: 100%;
background-color: white;
border: 1px solid #ccc;
border-top: none;
z-index: 100;
top: 100%;
}
.companyList .companyFiltered .companyFilteredItem {
padding: 8px 20px 8px 20px;
}
.companyList .companyFiltered .companyFilteredItem:hover {
cursor: pointer;
background-color: #0090a1;
color: #fff;
}`;
$(document).ready(function () {
setTimeout(function () {
if (typeof hideFurtherEducationBasedOnCountry !== "undefined" && hideFurtherEducationBasedOnCountry === "true") {
$(document).on("change", "[name='country']", checkFurtherEducationBasedOnCountry);
checkFurtherEducationBasedOnCountry();
}
if (typeof preselectOptInIfUSAorLAC !== "undefined" && preselectOptInIfUSAorLAC === "true") {
$(document).on("change", "[name='country']", checkOptInBasedOnCountry);
checkOptInBasedOnCountry();
}
if (typeof areaOfInterestAutomation !== "undefined" && ["global", "international"].includes(areaOfInterestAutomation)) {
initAreaOfInterestAutomation(areaOfInterestAutomation);
}
if (typeof hideWhatIsYourRoleInTheDecisionMakingProcess != "undefined" && hideWhatIsYourRoleInTheDecisionMakingProcess === "true") {
$decisionMakingRole = $("[name='decisionMakingRole']");
$decisionMakingRole.closest(".grid-layout-col").hide();
}
if (typeof hideWhenDoYouPlanOnMakingaPurchase != "undefined" && hideWhenDoYouPlanOnMakingaPurchase === "true") {
$whendoyouplanonmakingapurchase1 = $("[name='whendoyouplanonmakingapurchase1']");
$whendoyouplanonmakingapurchase1.closest(".grid-layout-col").hide();
}
if (typeof enableCompanyFiltering != "undefined" && enableCompanyFiltering === "true") {
function companySearchLoad() {
// remote script has loaded
var companyInput = $("[name=company]");
// remove dublicates
companyList = companyList.filter(function (item, pos) {
return companyList.indexOf(item) == pos;
});
companyListLower = companyList.map(function (item) {
return item.toString().toLowerCase().trim();
});
companyInput.closest(".field-control-wrapper").addClass("companyList");
companyFiltered.insertAfter(companyInput);
companyInput.on('input', function () {
filterCompany();
});
companyInput.on("blur", function () {
removeCompany();
});
const injectCSS = css => {
let el = document.createElement('style');
el.type = 'text/css';
el.innerText = css;
document.head.appendChild(el);
return el;
};
injectCSS(companyStyling);
};
(function (d, script) {
script = d.createElement('script');
script.type = 'text/javascript';
script.async = true;
script.onload = companySearchLoad;
script.src = 'https://images.learn.anthology.com/Web/BlackboardInc/{4c157757-63d1-4a11-aa96-be74c43fae1a}_companyList.js';
d.getElementsByTagName('head')[0].appendChild(script);
}(document));
}
if ($("[name=jobTitleCategory1]:visible").length == 1 && $("[name=title]:visible").length == 1) {
function checkJobTitleCategory1() {
var form = $("form:not([name=translationPicklistForm])");
if (form.length == 0) {
return;
}
form = form[0];
if (typeof LiveValidationForm == "undefined" || typeof LiveValidationForm.getInstance != "function") {
return;
}
var formInstance = LiveValidationForm.getInstance(form);
var disable = false;
formInstance.fields.forEach(function name(e) {
if (typeof e.element == "undefined" || typeof e.element.name == "undefined" || typeof e.validations == "undefined") {
return;
}
if (e.element.name == "title" && e.validations.length != 0) {
disable = true;
}
})
if (disable) {
return;
}
var jobTitleCategory1 = $("[name=jobTitleCategory1]").val();
if (jobTitleCategory1.toString().toLowerCase() == "other") {
$("[name='title']").closest(".grid-layout-col").insertAfter($("[name=jobTitleCategory1]").closest(".grid-layout-col"));
$("[name='title']").closest(".grid-layout-col").show();
var titleField = window[$("[name=title]").prop('id')];
if (typeof titleField != "undefined" && typeof titleField.enable == "function") {
titleField.enable();
}
} else {
var titleField = window[$("[name=title]").prop('id')];
if (typeof titleField != "undefined" && typeof titleField.disable == "function") {
titleField.disable();
}
$("[name='title']").closest(".grid-layout-col").hide();
}
}
checkJobTitleCategory1();
$("[name=jobTitleCategory1]").change(checkJobTitleCategory1);
}
var newSrcAndContactSubscribtionFlag = $("[name=contactName]").length != 0 && $("[name=contactSrc]").length != 0 && $("[name=subscriptionSrc]").length != 0 && $("[name=subscriptionName]").length != 0 && $("[name=subscriptionDate]").length != 0;
if ($("#eloquaOptInStatus").text().toString().toLowerCase().trim() == "1") {
if (typeof disableOptInAutoHide !== 'undefined' && (disableOptInAutoHide === true || disableOptInAutoHide === 'true')) {
return;
}
if (typeof disableProgressiveProfiling === 'undefined') {
disableProgressiveProfiling = '';
}
if (disableProgressiveProfiling === 'true' || disableProgressiveProfiling === true) {
disableProgressiveProfiling = true;
} else {
disableProgressiveProfiling = false;
}
if (typeof disableProgressiveProfilingClearFields === 'undefined' || disableProgressiveProfilingClearFields === 'true' || disableProgressiveProfilingClearFields === true) {
disableProgressiveProfilingClearFields = true;
} else {
disableProgressiveProfilingClearFields = false;
}
if (typeof showAllProgressiveProfilingFields !== 'undefined' && (showAllProgressiveProfilingFields == 'true' || showAllProgressiveProfilingFields === true)) {
showAllProgressiveProfilingFields = true;
disableProgressiveProfiling = true;
} else {
showAllProgressiveProfilingFields = false;
}
if (!disableProgressiveProfiling || (disableProgressiveProfiling && !disableProgressiveProfilingClearFields)) {
$("[name=OptIn]").closest(".layout-col").addClass("d-none");
$("[name=OptIn]").closest(".layout-col").parent().css("margin-top", "20px");
$("[name=OptIn]").prop("checked", true);
window.optInInitialChecked = true;
if(newSrcAndContactSubscribtionFlag){
var formId = $("[name=contactName]").closest("form").attr("id").toString().replace("form", "");
$("[name=subscriptionSrc]").val("Form");
$("[name=subscriptionName]").val(formId);
var today = new Date();
var dd = today.getDate();
var mm = today.getMonth() + 1;
var yyyy = today.getFullYear();
today = dd + '/' + mm + '/' + yyyy;
if(typeof moment == "function"){
today = moment().tz("America/New_York").format('DD/MM/YYYY HH:mm:ss A');
}
$("[name=subscriptionDate]").val(today);
}
}
}
if (newSrcAndContactSubscribtionFlag) {
var formId = $("[name=contactName]").closest("form").attr("id").toString().replace("form", "");
$("[name=contactName]").val(formId);
$("[name=contactSrc]").val("Form");
$("[name=OptIn]").val("1");
$("[name=OptIn]").change(function () {
if ($(this).prop("checked")) {
$("[name=subscriptionSrc]").val("Form");
$("[name=subscriptionName]").val(formId);
var today = new Date();
var dd = today.getDate();
var mm = today.getMonth() + 1;
var yyyy = today.getFullYear();
today = dd + '/' + mm + '/' + yyyy;
if(typeof moment == "function"){
today = moment().tz("America/New_York").format('DD/MM/YYYY HH:mm:ss A');
}
$("[name=subscriptionDate]").val(today);
} else {
$("[name=subscriptionSrc]").val("");
$("[name=subscriptionName]").val("");
$("[name=subscriptionDate]").val("");
}
});
return;
}
}, 100);
});
Join us for a day of learning and knowledge-sharing in the world of EdTech
Perth, 15th August *full house*
Gold Coast, 17th August
About the event
Anthology Innovate & Educate is where meaningful EdTech insights, innovations and knowledge-sharing are revealed across the region.
This is the destination for education professionals and learners from all backgrounds and experiences. The program will feature keynotes by industry insiders, Anthology's product experts, peer-driven discussions, best practices, and networking opportunities.
Who is this event for?
This event is for teaching & learning staff members, system administrators, academics, learning designers, education professionals and anyone who is interested in igniting and inspiring the education community in Australia and New Zealand.
Agenda
9:00 – 9:10 am
Welcome to Country
9:10 – 9:40 am
Welcome Note + AT23 Recap
Michael Garner, Head of Solutions Engineering, Anthology
9:40 – 10:40 am
Innovation Roadmap: The Latest in Anthology's EdTech Ecosystem
Richard Gibbons, Senior Product Manager and Michael Garner, Head of Solutions Engineering, Anthology
Join Richard and Michael as they give you the latest updates in the Anthology solutions suite, designed for every stage of the learning journey. Get the latest updates on Anthology Reach, a CRM solution that helps you manage admissions, student success, retention, alumni, advancement, and more. Respond dynamically to each learner’s unique experiences and needs — at every stage of their journey — with a lifecycle engagement solution optimized for higher education built on top of Microsoft Dynamics 365. Discover a host of new features on Blackboard Learn, powered by Artificial Intelligence (AI), designed to help instructors create more engaging learning experiences more quickly and provide granular, easy-to-action insight on learners’ progress. All this, and more!
10:40 – 11:00 am
Morning Tea Break
11:00 – 11:45 am
Designing Digital Transformation: Lessons from Leeds
Dr. Margaret Korosec, Dean of Online and Digital Education, University of Leeds
Digital transformation can be achieved by designing change with a systems view. Here we will explore how the interdependencies in learning and teaching are considered as institutions explore emergent technology, academic practice and professional services support. The University of Leeds has a commitment to investing in innovation and digital transformation for an outstanding student experience. In this session, we’ll explore some of the ways the university is serving online and campus students in support of digital transformation and some suggestions to jump start your own change at your institution.
11:45 am – 12:30 pm
Copernicus, meet Prometheus – An analysis of academic opportunity and student centricity in a Generative AI world
Dr. Kevin Bell, Head of Higher Education and Research, Amazon Web Services
We have been navigating extreme disruption in the Education sector for the last 2-3 years. The pandemic provoked engagement with differentiated delivery modalities, student demographics are changing, questions around the ROI of Tertiary Education are being asked and we have AI/Generative AI to navigate. Changes in how we structure and modernise IT infrastructure and new practices around data management place us at a key juncture with both challenge and unprecedented opportunity ahead. In this session, Dr. Kevin Bell, walking the line between pedagogic value and technological enablement, will summarise where we are at, will describe global exemplars and discuss how not having an AI strategy is your institution’s biggest risk today.
12:30 – 1:30 pm
Lunch
1:30 – 2:30 pm
Session 1A: [Workshop] AI and The Digital Divide
Leanne Crawshaw, Instructional Designer - North Metropolitan TAFE
Artificial intelligence (AI) is rapidly changing the world, and vocational education and training (VET) is no exception. AI-powered technologies are being used to automate tasks, personalize learning, and create new opportunities for students. However, there is a growing concern that AI could exacerbate the digital divide, widening the gap between those who have access to technology and those who do not". This presentation will explore the potential impact of AI on the digital divide in VET. We will discuss how AI could be used to close the digital divide, and we will identify some of the challenges that need to be addressed.
1:30 – 2:30 pm
Session 1B: [Workshop] Blackboard Learn Beyond the Roadmap: Your Voice, Your Experience
Richard Gibbons, Senior Product Manager, Anthology
Join us for an interactive and immersive session where we explore the new features of Blackboard Learn. Beyond the roadmap, we will dive into the hot-off-the-press updates announced at AT23 in Nashville, and new capabilities that will revolutionise your teaching and learning experience. In this workshop, you can experience cutting-edge tools and enhancements firsthand. But that's not all - your voice matters! Engage in a dynamic feedback session to share your thoughts on the new updates and shape the future of Blackboard Learn based on what you want to see.
2:40 – 3:20 pm
Session 2A: The evolving landscape of micro-credentials
Karen Eyles, Manager, UWA Plus, The University of Western Australia
Micro-credentials are assessed parcels of learning providing upskilling and reskilling opportunities that are targeted, industry relevant and accessible. In this presentation, Karen will review what’s happening with micro-credentials in the national and global context, and look at where do we go from here. Karen has played a leading role in UWA’s micro-credentialling journey over the last four years, and will share some of the challenges and opportunities that have arisen and insights gained along the way.
2:40 – 3:20 pm
Session 2B: Reimagining the Scope of Teaching & Learning – Human Agency, AI & Web 3.0
Jon Mason, Associate Professor in Education (e-Learning), Charles Darwin University
Ecosystems develop resilience through adverse conditions – or they cease to exist. Arguably, the digital ecosystem that supports teaching and learning is facing adverse conditions amongst all the opportunities and new affordances that innovations deliver. Every day there are new developments and debates about Artificial Intelligence – as well as new anxieties for educators and learners. Every day, a new signal from the frontier of things to come. A key message of this talk is that as educators we need to focus on human agency while recognising the complexity of the evolving digital environment. But we need to move beyond trivial depictions of technology as ‘just a tool’ for educators to get savvy with. There’s so much more going on.
3:20 – 3:40 pm
Afternoon Tea Break
3.40 – 5.45 pm
Social Activity: Helping Hands
Access the potential of your head, heart & hands and change the lives of people in need. Together, in a facilitated workshop we will build & send prosthetic hands for amputee landmine victims.
9:00 – 9:05 am
Acknowledgement of Country
9:05 – 9:30 am
Welcome Note + AT23 Recap
Nicole Wall, Regional Vice President, Australia & New Zealand, Anthology
9:30 – 10:30 am
Innovation Roadmap: The Latest in Anthology's EdTech Ecosystem
Richard Gibbons, Senior Product Manager and Michael Garner, Head of Solutions Engineering, Anthology
Join Richard and Michael as they give you the latest updates in the Anthology solutions suite, designed for every stage of the learning journey. Get the latest updates on Anthology Reach, a CRM solution that helps you manage admissions, student success, retention, alumni, advancement, and more. Respond dynamically to each learner’s unique experiences and needs — at every stage of their journey — with a lifecycle engagement solution optimized for higher education built on top of Microsoft Dynamics 365. Discover a host of new features on Blackboard Learn, powered by Artificial Intelligence (AI), designed to help instructors create more engaging learning experiences more quickly and provide granular, easy-to-action insight on learners’ progress. All this, and more!
10:30 – 11:00 am
Morning Tea Break
11:00 – 11:45 am
Designing Digital Transformation: Lessons from Leeds
Dr. Margaret Korosec, Dean of Online and Digital Education, University of Leeds
Digital transformation can be achieved by designing change with a systems view. Here we will explore how the interdependencies in learning and teaching are considered as institutions explore emergent technology, academic practice and professional services support. The University of Leeds has a commitment to investing in innovation and digital transformation for an outstanding student experience. In this session, we’ll explore some of the ways the university is serving online and campus students in support of digital transformation and some suggestions to jump start your own change at your institution.
11:45 am – 12:30 pm
Copernicus, meet Prometheus – An analysis of academic opportunity and student centricity in a Generative AI world
Dr. Kevin Bell, Head of Higher Education and Research, Amazon Web Services
We have been navigating extreme disruption in the Education sector for the last 2-3 years. The pandemic provoked engagement with differentiated delivery modalities, student demographics are changing, questions around the ROI of Tertiary Education are being asked and we have AI/Generative AI to navigate. Changes in how we structure and modernise IT infrastructure and new practices around data management place us at a key juncture with both challenge and unprecedented opportunity ahead. In this session, Dr. Kevin Bell, walking the line between pedagogic value and technological enablement, will summarise where we are at, will describe global exemplars and discuss how not having an AI strategy is your institution’s biggest risk today.
12:30 – 1:30 pm
Lunch
1:30 – 2:30 pm
Session 1A: [Workshop] Designing Your Online Subject Content Using 21st Century Aboriginal Pedagogies
Jaimee Hamilton, Educational Designer and Carol Miles, PhD, Academic Developer, Centre for Education and Enhancement, James Cook University
This session applies 21st Century Aboriginal philosophies to the design of online learning materials and activities. Defining Aboriginal pedagogies, the session explores existing conceptual works of Aboriginal academics and provides concrete examples of how these can be used to design rich and relatable content for the LMS and other concrete learning tools. Privileging 21st Century Aboriginal pedagogies as normative and responsive allows us to create inclusive learning environments.
1:30 – 2:30 pm
Session 1B: [Workshop] Getting under the hood with Micro-credentials: Tips for quality & success
Dr. Caroline Steel, Principal Strategic Consultant, Anthology
Micro-credentials can offer more flexible & targeted ways for people to learn, upskill and reskill. They can respond to rapidly changing workplace needs & shortages, create alternative pathways into study, & enable wider & more equitable access to education & employment.
While globally many see potential, there are complexities too. Falling into common traps can quickly & easily deplete efforts and resources. In this interactive session, we share tips and research to help you plan for quality & success.
2:40 – 3:20 pm
Session 2A: Embracing AI in new forms of assessment
Professor Michael Sankey, Director, Learning Futures and Lead Education Architect, Charles Darwin University
This presentation with first lay the solid foundations of the role academic integrity plays in relation to Generative AI and what this means for authentic assessment. It will then provide examples of some contemporary approaches to the use of Generative AI in Assessment. These examples are gained from across the sector and, in this particular case, we will consider what this might look in the Ultra platform. Finally, this presentation will provide a sector perspective as to what 34 of our Australian Universities are doing in relation to this. This will be based on the findings of a very recent sector-wide survey of Directors of Technology Enhanced Learning and Teaching, conducted under the auspices of the Australasian Council on Open, Distance and eLearning (ACODE).
2:40 – 3:20 pm
Session 2B: Bridging the gap for students with Learning Pathway
Jessica Tsai, Learning Technologies Analyst and Helen Ratnykova, Senior eLearning Advisor, University of Queensland | Jerry Leeson, Senior Project Manager, Anthology
User Interface (UI) research indicates that the value is much more than a focus on visual aesthetics - it requires intentionally arranged elements that appeal to the user's emotions, bridging gaps between the product and the user (Anderson, 2009; Glore & David, 2012). In an education context, UI significantly influences the cognitive load of learners, with well-designed elements in learning interfaces positively affecting usability, accessibility, motivation, and engagement (Norman, 1998; Shneiderman & Plaisant, 2005; Swan, 2001; Lidwell et al., 2010; Malamed, 2015). Furthermore, effective UI provides a cognitive aid for learners to construct knowledge schemata (Kester et al., 2006). The “Learning Pathway”, is a custom designed UI for course sites in Blackboard Learn, provides students with a clear course roadmap to help them stay on track of their study. It serves as a study guide for students with recommendation on how they should work through the course, provides scaffolding to make concepts and curriculum transparent to students, and breaks down learning sequences into manageable steps with just-in-time access to learning activities and resources. This presentation will take you through the concept, development and implementation of the Learning Pathway.
3:20 – 3:40 pm
Afternoon Tea Break
3.40 – 5.45 pm
Social Activity: Helping Hands
Access the potential of your head, heart & hands and change the lives of people in need. Together, in a facilitated workshop we will build & send prosthetic hands for amputee landmine victims.
Call for Presentations is now closed. If you're interested, please email us.
Be an education influencer
Real-world case studies, insightful research papers, innovative best practices and creative perspectives can inspire and guide education professionals in their journey. Play your part by sharing your successes, best practices, and lessons learned.
Flexible delivery formats
Choose from 15-min lightning talks to 30-min presentations to facilitating 60-min interactive workshops.
Professional development
Get recognition for your participation with a presenter’s certificate and add it to your career development collection!
Speakers
Dr. Kevin Bell
Head of Higher Education and Research Amazon Web Services
Kevin has led digital-technology initiatives at a number of institutions across the globe. He served as Chief Academic Officer at Southern New Hampshire University playing a significant role in their growth as the leading not-for-profit education provider (by headcount) in the United States.
Moving on to Northeastern University, he founded the award-winning Online Experiential Learning team and sat on the Gates Foundation reviewing emergent (Next Gen) Tech platforms. He completed his doctorate at the University of Pennsylvania with research focused on intrinsic motivators for students from under-represented minorities. He worked with global innovators including Paul LeBlanc (SNHU), Clayton Christensen (Harvard/MIT) and George Siemens (Learning Analytics / founder of MOOCs) before moving to Australia as WSU’s PVC-Digital Futures.
In 2020 he moved across to the corporate world with KPMG as their Digital Futures subject matter expert, joining AWS as their Head of Higher Education and Research for ANZO in 2021. At AWS he is focused on how Digital Data organisation allied to AIML and Generative AI technologies can be applied to contemporary challenges in academia. His 2018 book “Game ON! Gamification, Gameful Design and the Rise of the Gamer Educator” helps teachers take advantage of game design principles and evidence-based engagement drivers to build more effective courses. It (the book) is available on Amazon and is a “rip-roaring read” – according to his mum.
Dr. Margaret Korosec
Dean of Online and Digital Education
University of Leeds
Margaret Korosec is an innovative strategic leader bringing creativity, intentionality, and systems perspective to her leadership in scaling online and digital education.
She is the Dean of Online and Digital Education at the University of Leeds in the United Kingdom with strategic responsibility for the growth of the online portfolio and digital education. She is leading on establishing a design ecosystem to support and scale online education and a digitally-enabled student experience. As part of her role, she has academic oversight of the Digital Education Service. The service provides specialist learning design, development, production, media, creative and learning systems management for online and digital education. She led the development and launch of a digital learning accelerator, HELIX; a creative space to encourage experimentation, iteration, and exploration fostering sense making of emergent technology and enabling radical internal and external collaboration.
John Doe 3
Sr. Product Manager
Company name
In arcu sapien, sagittis nec iaculis vel, ultrices vel sapien. Nullam condimentum dignissim enim. Aliquam porttitor vulputate sapien ac posuere. Sed tempor velit quam, sit amet sollicitudin lectus ultrices quis.
In arcu sapien, sagittis nec iaculis vel, ultrices vel sapien. Nullam condimentum dignissim enim. Aliquam porttitor vulputate sapien ac posuere. Sed tempor velit quam, sit amet sollicitudin lectus ultrices quis.
In arcu sapien, sagittis nec iaculis vel, ultrices vel sapien. Nullam condimentum dignissim enim. Aliquam porttitor vulputate sapien ac posuere. Sed tempor velit quam, sit amet sollicitudin lectus ultrices quis.
Your privacy is important to us. You can change your email preferences or unsubscribe at any time. We will only use the information you have provided to send you Anthology communications according to your preferences. We may share your information within the Anthology group of companies (including Blackboard Inc, and their respective subsidiaries worldwide) and with our relevant resale partners if your organization is located in an area managed by such resellers (see list here). View the Anthology Privacy Statement for more details.
Su privacidad es muy importante para nosotros. Puede seleccionar o modificar el tipo de comunicaciones que recibirá a través de correo electrónico o terminar su subscripción en cualquier momento. Utilizaremos su información únicamente para enviarle comunicaciones de Anthology y Blackboard de acuerdo con sus preferencias. Podemos compartir su información dentro del grupo de empresas de Anthology (incluidas Blackboard Inc y sus respectivas subsidiarias en todo el mundo) y con nuestros socios de negocio locales más importantes (revendedores), si su organización está ubicada en un área administrada por dichos socios. Consulte la Declaración de privacidad de Anthology para obtener más detalles.
style="font-size: 14px"L'information n'apparait pas correctement? Cliquez ici
Nous accordons beaucoup d'importance à votre vie privée. Vous pouvez modifier vos préférences ou vous désabonner à tout moment. Nous utiliserons les données que vous avez fournies uniquement pour gérer votre demande, sauf si nous avons l'autorisation de vous envoyer nos communications par e-mail. Il est possible que nous partagions vos données avec les partenaires réseau (revendeurs) Anthology concernés si votre organisation se trouve dans une région gérée par des partenaires réseau de Anthology (consultez la liste ici.). Consultez notre déclaration de confidentialité pour plus d'informations.
Sua privacidade é muito importante para nós. Você pode selecionar ou modificar o tipo de comunicação que receberá por e-mail ou cancelar a inscrição a qualquer momento. Usaremos suas informações apenas para enviar comunicações da Anthology e da Blackboard de acordo com suas preferências. Podemos compartilhar suas informações dentro do grupo de empresas Anthology (incluindo Blackboard Inc e suas respectivas subsidiárias em todo o mundo) e com nossos maiores parceiros comerciais locais (revendedores), se sua organização estiver localizada em uma área gerenciada por esses parceiros. Consulte a Declaração de privacidade do Anthology para obter mais detalhes.
Anthology 개인 정보를 중요하게 취급합니다. 언제든지 이메일 기본 설정을 변경하거나 구독을 취소하실 수 있습니다. 이메일 커뮤니케이션을 보낼 수 있는 권한이 없는 경우 Anthology 귀하가 제공한 정보를 본 양식 제출과 관련된 세부 정보를 전송하기 위한 목적으로만 사용합니다. Anthology 귀하의 조직이 Anthology 채널 파트너가 관리하는 지역에 위치한 경우 귀하의 정보를 관련 현지 Anthology 채널 파트너(리셀러)와 공유할 수 있습니다(목록 확인 위치). 자세한 내용은 개인 정보 보호 정책을 확인하십시오.
Η ιδιωτικότητά σας είναι σημαντική για εμάς. Μπορείτε να αλλάξετε τις προτιμήσεις σας ή να καταργήσετε την εγγραφή σας ανά πάσα στιγμή. Θα χρησιμοποιήσουμε μόνο τις πληροφορίες που έχετε δώσει για να σας στείλουμε στοιχεία σχετικά με την υποβολή της παραπάνω φόρμας, εκτός εάν έχουμε την άδεια να επικοινωνήσουμε μαζί σας μέσω ηλεκτρονικού ταχυδρομείου. Μπορούμε να μοιραστούμε τις πληροφορίες σας με τους σχετικούς τοπικούς συνεργάτες Blackboard (μεταπωλητές), εάν ο οργανισμός σας βρίσκεται σε περιοχή που διαχειρίζεται από συνεργάτες της Blackboard (δείτε τη λίστα εδώ). Δείτε τη δήλωση Προστασίας Προσωπικών Δεδομένων για περισσότερες λεπτομέρειες (στα αγγλικά).
Twoja prywatność jest dla nas ważna. Możesz zmienić ustawienia lub zrezygnować z subskrypcji w dowolnym momencie. Przesłanych przez Ciebie danych użyjemy wyłącznie do przesłania Ci informacji związanych z rejestracją, chyba że wyrazisz zgodę na otrzymywanie od nas wiadomości e-mail. Twoje dane możemy udostępniać lokalnym partnerom firmy Blackboard (dystrybutorom), jeśli Twoja instytucja znajduje się na obszarze zarządzanym przez partnerów Blackboard (ich lista znajduje się tutaj). Więcej informacji na ten temat zawiera nasza Polityka prywatności.
Gizliliğiniz bizim için önemlidir. Dilediğiniz zaman tercihlerinizi değiştirebilir veya aboneliğinizi sonlandırabilirsiniz. E-posta iletilerimizi size gönderme iznimiz yoksa, sağladığınız bilgileri yalnızca sorgunuzu yönetmek için kullanırız. Bilgilerinizi ilgili yerel Blackboard kanal ortaklarıyla (satıcılar) paylaşabilmemiz için, kuruluşunuzun Blackboard ortakları tarafından (buraya tıklayarak listeyi görebilirsiniz) yönetilen bir bölgede bulunması gerekir. Daha fazla bilgi için Gizlilik Beyanımıza göz atın.
Din integritet är viktig för oss. Du kan ändra dina inställningar eller avsluta prenumerationen när du vill. Informationen används enbart för detta formulär såvida vi inte ges tillåtelse att också skicka e-post. I dessa fall kan nformationen komma att delas med lokala återförsäljare för Blackboard om din organisation är belägen i ett område som hanteras av Blackboard-partners (se listan här). Se vårt Privacy Statement (integritetsförklaring) för mer information.
La tua privacy è importante per noi. Puoi modificare le tue preferenze e-mail o annullare l'iscrizione in qualsiasi momento. Useremo le informazioni che hai fornito solo per inviarti i dettagli relativi a questo invio del modulo a meno che non abbiamo il permesso di inviarti le nostre comunicazioni via email. Potremmo condividere le tue informazioni con i partner di canale Anthology (rivenditori) locali competenti se la tua organizzazione si trova in un'area gestita dai partner Anthology (vedi elenco qui). Vedi la nostra Informativa sulla privacy per maggiori dettagli.
لأن خصوصيتك مهمة لنا، يمكنك تغيير تفضيلات بريدك الإلكتروني أو إلغاء الاشتراك في أي وقت. لن نستخدم المعلومات التي قدمتها إلا لنرسل لك التفاصيل المتعلقة بتقديم هذا النموذج فقط وإذا كانت لدينا صلاحية الإرسال عبر البريد الإلكتروني. قد نرسل معلوماتك إلى شركاء قناة أنثولوجي المحليين (الموردين) المعنيين إذا كانت مؤسستك تقع في منطقة يديرها شركاء أنثولوجي (انظر إلى القائمة هنا). اطلع على بيان الخصوصية الخاص بنا للحصول على المزيد من التفاصيل.
Ihre Privatsphäre ist uns wichtig. Sie können Ihre E-Mail-Präferenzen jederzeit ändern oder den Newsletter abbestellen. Wir werden die von Ihnen angegebenen Informationen ausschließlich dazu verwenden, Ihnen Einzelheiten im Zusammenhang mit der Einreichung dieses Formulars zu senden, es sei denn, wir haben die Erlaubnis, Ihnen unseren E-Mail-Newsletter zu senden. Wir reichen Ihre Informationen ggf. an die entsprechenden lokalen Blackboard-Vertriebspartner (Reseller) weiter, falls sich Ihre Organisation in einem Gebiet befindet, das von Blackboard-Partnern betreut wird (siehe Liste hier). Weitere Einzelheiten entnehmen Sie unserer Datenschutzerklärung.