Online Degrees & Certificates : LP Degree Finder 2.0 page | Template = docs | Brand = docs | Academic Area =

Introduction

Degree Finder 2.0 is an integration of several different functionalities including:

Landing Pages Programs Matrix

The Programs Matrix was an earlier effort to make disseminating, maintaining, and updating program-specific data less cumbersome and more agile. The first step was to find a solution that works as a "Poor Man's Database." We settled on using Google Sheets with a custom Add-On that allows the exporting of JSON arrays. That exported JSON data array is our "programs database" for the Landing Pages.

We then ingest and decode our data array using PHP. This process allows us to perform various logical operators in PHP and Javascript to programmatically present data and create useful modules. Degree Finder 2.0 is our first new module using the Matrix.

See Full Documentation

MixItUp Multifilter

Javascript Library

The MixItUp functionality is a high-performance, dependency-free library for animated filtering, sorting, insertion, removal and more of DOM (Document Object Model) elements.

Filter/Sort Functionality

In our case, MixItUp is applied to a container of "target" elements, which are programs pulled from our Matrix, formatted in JSON, and constructed using PHP logic. Moreover, this functionality of filtering and sorting is advantageous for our purposes of presenting relevant degrees to prospective students and allowing them to explore all our programs regardless of where they land.

Multiple Dimensions

MixItUp MultiFilter is designed to be used with content requiring filtering by multiple distinct attributes or "dimensions." In our case: Keywords, Degree Level, and School. We are not limited to these dimensions alone and can add/remove them per their usefulness.

Keyword String Matching Functionality

Currently the Keywords search input indexes the program title, program level, and program description. Extra keywords are being added per the paid-search team's recommendations and will be indexed as well. We can add and remove data to this simple string* search fairly easily.

* The way the search works is it looks for a containing string match. For example, "Intelligence" would match on Competitive Intelligence but not on Intelligent Design. Approximate or Fuzzy string matching where "Intelligence" matches on Intelligent would be a major version upgrade.

	  
// Instantiate MixItUp
$(function(){
	var containerEl = document.querySelector('#Grid');
	var targetSelector = '.mix';
	var activeHash = '';
	var mixer = mixitup(containerEl, {
		multifilter: {
				enable: true,
		},
		"animation": {
		"duration": 500,
		"effects": "fade scale(0.01) translateZ(100px)"
		},
		callbacks: {
				onMixStart: function(state, futureState) {
					console.log(futureState.activeFilter.selector);
				},
				onMixEnd: setHash // Call the setHash() method at the end of each operation
		},
		controls: {
				toggleDefault: 'none'
		},
    load: {
        filter: '',
        sort: 'id:asc'
    }
	});
});
	  
	

URL Hashing

Unfortunately, our Keyword Search can't be passed through URL hashing because of bugs with URI encoding/decoding methods. However, we can also target some prefiltered results on a page with our dropdown/select filters for Degree Level and School.

For example start.amu.apus.edu/degrees/overview#level=associate&school=sgs would filter the general degrees page to show associate degrees in the School of Security and Global Studies in the Degree Finder. Please note: this will interact with a keyword pre-filter as detailed in the next section.

Keyword in URL Hash

Pursuing Keywork Hashing in the URL would be an enhancement feature-level upgrade. Likely possible but significant version upgrade.

	  
/**
* Deserializes a hash segment (if present) into in an object.
*
* @return {object|null}
*/

function deserializeHash() {
	var hash    = window.location.hash.replace(/^#/g, '');
	var obj     = null;
	var groups  = [];

	if (!hash) return obj;

	obj = {};
	groups = hash.split('&');

	groups.forEach(function(group) {
		var pair = group.split('=');
		var groupName = pair[0];

		obj[groupName] = pair[1].split(',');
	});

	return obj;
}

/**
* Serializes a uiState object into a string.
*
* @param   {object}    uiState
* @return  {string}
*/

function serializeUiState(uiState) {
	var output = '';

	for (var key in uiState) {
		var values = uiState[key];

		if (!values.length) continue;

		output += key + '=';
		output += values.join(',');
		output += '&';
	};

	output = output.replace(/&$/g, '');

	return output;
}

/**
* Constructs a `uiState` object using the
* `getFilterGroupSelectors()` API method.
*
* @return {object}
*/

function getUiState() {
	// NB: You will need to rename the object keys to match the names of
	// your project's filter groups -- these should match those defined
	// in your HTML.

	var uiState = {
		level: mixer.getFilterGroupSelectors('level').map(getValueFromSelector),
		school: mixer.getFilterGroupSelectors('school').map(getValueFromSelector),
		// search: mixer.getFilterGroupSelectors('search').map(getValueFromSelector)
	};
	// Show current queries
	$("#queryLevel").text(mixer.getFilterGroupSelectors('level').map(getValueFromSelector));
	$("#querySchool").text(mixer.getFilterGroupSelectors('school').map(getValueFromSelector));
	$("#querySearch").text($('#finderSearch').val());
	return uiState;
}

/**
* Updates the URL hash whenever the current filter changes.
*
* @param   {mixitup.State} state
* @return  {void}
*/

function setHash(state) {
	var selector = state.activeFilter.selector;

	// Construct an object representing the current state of each
	// filter group

	var uiState = getUiState();

	// Create a URL hash string by serializing the uiState object

	var newHash = '#' + serializeUiState(uiState);

	if (selector === targetSelector && window.location.href.indexOf('#') > -1) {
		// Equivalent to filter "all", and a hash exists, remove the hash

		activeHash = '';

		history.replaceState(null, document.title, window.location.pathname);
	} else if (newHash !== window.location.hash && selector !== targetSelector) {
		// Change the hash

		activeHash = newHash;

		history.replaceState(null, document.title, window.location.pathname + newHash);
	}
}

/**
* Updates the mixer to a previous UI state.
*
* @param  {object|null}    uiState
* @param  {boolean}        [animate]
* @return {Promise}
*/

function syncMixerWithPreviousUiState(uiState, animate) {
	var level = (uiState && uiState.level) ? uiState.level : [];
	var school = (uiState && uiState.school) ? uiState.school : [];
	//var search = (uiState && uiState.search) ? uiState.course : [];

	mixer.setFilterGroupSelectors('level', level.map(getSelectorFromValue));
	mixer.setFilterGroupSelectors('school', school.map(getSelectorFromValue));
	//mixer.setFilterGroupSelectors('search', search.map(getSelectorFromValue));

	// Parse the filter groups (passing `false` will perform no animation)
	return mixer.parseFilterGroups(animate ? true : false);
}

/**
* Converts a selector (e.g. '.green') into a simple value (e.g. 'green').
*
* @param   {string} selector
* @return  {string}
*/

function getValueFromSelector(selector) {
	return selector.replace(/^./, '');
	// turn on for search return encodeURIComponent(selector);
}

/**
* Converts a simple value (e.g. 'green') into a selector (e.g. '.green').
*
* @param   {string} selector
* @return  {string}
*/

function getSelectorFromValue(value) {
	return '.' + value;
	//turn on for search return decodeURIComponent(value);
}

var uiState = deserializeHash();

if (uiState) {
	// If a valid uiState object is present on page load, filter the mixer
	syncMixerWithPreviousUiState(uiState);
}
	  
	

Custom PHP Content/Control Overrides

By default the Degree Finder will show a standard Heading and Intro paragraph that informs/instructs the user on how to proceed. The default variables are set in _functions.php. We've also developed the option to customize the Heading and Intro per page. These variables are optionally set on the individual landing page.

Default Values

			
$GLOBALS["finder"] = "Find the Degree Program That’s Right for You";
//Default Finder section title

$GLOBALS["finderIntro"] = "Our degree finder helps you find and compare a wide variety of undergraduate- and graduate-level degree programs. Start your search here.";
//Default Finder section intro
			
		

Moreover, a custom Keyword can be set per page to prefilter the results. For example, on the test page we've prefiltered with "Intelligence" as the keyword and included a custom Heading and Intro to communicate that to the user.

Note: The custom Keyword when supplied modifies the default activeFilter and as such interacts with any URL hash filters. So on a custom Keyword page where a URL hash is also present to filter by level, you'll only see degrees that match the specified hash level AND the custom Keyword (on initial page load). The user can always override this by interacting with the Degree Finder inputs.

Custom Values

			
$GLOBALS["finderTitle"] = "See Intelligence Programs We’ve Selected for You";
// Optional override title for finder

$GLOBALS["finderCustom"] = "We’ve presented some intelligence-related programs for you, but you can use our degree finder to find and compare a wide variety of undergraduate- and graduate-level degree programs. Start your search here.";
// Optional override intro for finder

$GLOBALS["finderKey"] = "[data-keyword*=\"intelligence\"]";
// Degree Finder default filter, values should be class like .bachelor or .bus, or like [data-keyword*=\"KEYWORD\"]
			
		

Custom Value Control Scripts

The PHP below writes JS that handles the interaction through the above custom values, the MixItUp filters, and the default values of the Degree Finder form inputs.

		
// If Custom finderKey provided for preloaded results, trigger mixer api and update input value (Note: echoing JS with PHP -_-)
//if keyword populate search and trigger search filter
 if(!empty($GLOBALS["finderKey"]) && preg_match('/"([^"]+)"/', $GLOBALS["finderKey"], $m)) {
	echo "mixer.setFilterGroupSelectors('search', ['"
	. $GLOBALS["finderKey"]
	. "']); mixer.parseFilterGroups(); $('#finderSearch').val('";

			print $m[1];

	echo "');";
	echo "$('#querySearch').text($('#finderSearch').val());"; //set search query value if preset exists on load -- only shows if failed
}
//if level class populate level select and trigger level filter
elseif (in_array($GLOBALS["finderKey"], [".associate",".bachelor",".master",".ad",".cert"], true)) {
	echo "mixer.setFilterGroupSelectors('level', ['"
	. $GLOBALS["finderKey"]
	. "']); mixer.parseFilterGroups();";
	echo "$('#finderLevel').val('";
	echo $GLOBALS["finderKey"];
	echo "');";
}
//if school class populate school select and trigger school filter
elseif (in_array($GLOBALS["finderKey"], [".art",".bus",".master",".edu",".hs",".stem",".sgs"], true)) {
	echo "mixer.setFilterGroupSelectors('school', ['"
	. $GLOBALS["finderKey"]
	. "']); mixer.parseFilterGroups();";
	echo "$('#finderSchool').val('";
	echo $GLOBALS["finderKey"];
	echo "');";
}

		
	

Working Demo

This demo is showing a prefilter for keyword "intelligence" with a custom Heading and custom Intro.

See Intelligence Related Programs

We've presented some intelligence-related programs for you, but you can use our degree finder to find and compare a wide variety of undergraduate- and graduate-level degree programs. Start your search here.

Sort:
Clear Filters
  • AS in Accounting

    Accounting

    Associate of Science

    Gain proficiency in bookkeeping, accounting, and auditing.

    Learn More

  • AAS in Administration

    Administration

    Associate of Applied Science

    Identify administrative roles, services, and opportunities as you learn how to support management within different organizational environments.

    Learn More

  • AA in Business Administration

    Business Administration

    Associate of Arts

    Prepare for the professional world and learn about trends shaping the global business landscape.

    Learn More

  • AA in Communication

    Communication

    Associate of Arts

    Gain the interpersonal and group communication skills required for success in many professions.

    Learn More

  • AS in Computer Technology

    Computer Technology

    Associate of Science

    This program combines solid foundational coursework with hands-on learning and complements certifications, such as CompTIA Security+® and CompTIA A+®.

    Learn More

  • AA in Counter Terrorism Studies

    Counter Terrorism Studies

    Associate of Arts

    Get a fundamental understanding of national and international security through the study of terrorists' weapons, motivations, and vulnerabilities.

    Learn More

  • AA in Criminal Justice

    Criminal Justice

    Associate of Arts

    Learn the fundamentals of criminal justice theory, terrorism, and law enforcement objectives and administration.

    Learn More

  • AAS in Culinary and Foodservice Management

    Culinary and Foodservice Management

    Associate of Applied Science

    Advance your culinary experience and training with knowledge and skill in foodservice management and operations.

    Learn More

  • AS in Cybersecurity

    Cybersecurity

    Associate of Science

    Learn about securing digital assets and risk mitigation as you develop a foundation for further study in cybersecurity.

    Learn More

  • AS in Data Science

    Data Science

    Associate of Science

    Become proficient in functional coding and methods, analytics and analytical methods, and machine learning.

    Learn More

  • AA in Early Childhood Care and Education

    Early Childhood Care and Education

    Associate of Arts

    Explore healthy child development practices that are utilized in a variety of early childcare and educational settings.

    Learn More

  • AS in Fire Science

    Fire Science

    Associate of Science

    Learn the science behind fires, as well as the background and theory behind fire prevention bureaus and their use of fire codes.

    Learn More

  • AAS in Health Sciences

    Health Sciences

    Associate of Applied Science

    Gain a core of knowledge useful in a variety of medical-service related fields.

    Learn More

  • AA in History

    History

    Associate of Arts

    Gain insight into history by exploring the pivotal events and influential people that have shaped modern civilization.

    Learn More

  • AA in Hospitality

    Hospitality

    Associate of Arts

    Study the fundamentals of restaurant operations, including purchasing and storage, food service sanitation, marketing, and sales.

    Learn More

  • AA in Interdisciplinary Studies

    Interdisciplinary Studies

    Associate of Arts

    Combine general education courses in English, history, math, and natural and social sciences with electives for greater flexibility than a traditional major.

    Learn More

  • AS in Legal Studies

    Legal Studies

    Associate of Science

    Get a foundational understanding of legal doctrine with the analytical, technical, ethical, and interpersonal skills used in a variety of legal settings.

    Learn More

  • AA in Management

    Management

    Associate of Arts

    Explore the theoretical concepts and practical applications required to manage a global workforce.

    Learn More

  • AA in Military History

    Military History

    Associate of Arts

    Learn the origins of armed conflict through an examination of global military powers, war doctrines, pivotal battles, political leaders, and foreign policies.

    Learn More

  • AS in Public Health

    Public Health

    Associate of Science

    Examine the American healthcare system and learn how the field of public health impacts our lives.

    Learn More

  • AA in Real Estate Studies

    Real Estate Studies

    Associate of Arts

    Examine the basic process, licensing requirements, and personal attributes required for a profession in the real estate field.

    Learn More

  • AS in Space Studies

    Space Studies

    Associate of Science

    Analyze current and historical concepts in astronomy, planetary science, space policy, and space flight with hands-on labs and coursework designed by a former NASA astronaut.

    Learn More

  • AA in Supply Chain Management

    Supply Chain Management

    Associate of Arts

    Learn the concepts, functions, and language around the supply chain industry and explore the complex process that moves products from supplier to customer.

    Learn More

  • AAS in Technical Management

    Technical Management

    Associate of Applied Science

    Learn how to develop a healthy workplace culture, leading and motivating personnel in technical environments.

    Learn More

  • AA in Weapons of Mass Destruction Preparedness

    Weapons of Mass Destruction Preparedness

    Associate of Arts

    Gain a fundamental understanding of extremist groups, terrorism theory, terrorist weapons and national security.

    Learn More

  • BS in Accounting

    Accounting

    Bachelor of Science

    Blend theory with the practical and research skills required to address complex accounting issues found in private corporations, governmental agencies, and nonprofit organizations.

    Learn More

  • BA in Business

    Business

    Bachelor of Arts

    Create your own personal path toward a degree, exploring a variety of business disciplines complemented by general electives to support your own goals.

    Learn More

  • BBA in Business Administration

    Business Administration

    Bachelor of Business Administration

    Explore the core areas of business, including management, marketing, law, finance, accounting, globalization, human resources, and business strategy.

    Learn More

  • BS in Business Analytics

    Business Analytics

    Bachelor of Science

    Build your knowledge in business intelligence, data analytics, and data mining techniques to help organizations drive competitive advantage.

    Learn More

  • BA in Communication

    Communication

    Bachelor of Arts

    Gain the knowledge and skills to create clear, concise, content-rich communication as you explore the dynamic and evolving communication and media industry.

    Learn More

  • BA in Computer Science

    Computer Science

    Bachelor of Arts

    Combine study of traditional computer science topics with learning in the humanities to support emerging technology needs in digital arts and interactive media.

    Learn More

  • BS in Computer Science

    Computer Science

    Bachelor of Science

    Examine key topics in computer hardware and software, including programming, networking, and operating systems, with a focus on cyber operations.

    Learn More

  • BS in Computer Technology

    Computer Technology

    Bachelor of Science

    Learn computer-based systems, web development fundamentals, and programming essentials in a certification preparation-oriented program.

    Learn More

  • BA in Criminal Justice

    Criminal Justice

    Bachelor of Arts

    Explore the causes of crime, criminal behavior, criminal investigation, corrections and incarceration, juvenile issues, and stress management.

    Learn More

  • BS in Criminal Justice

    Criminal Justice

    Bachelor of Science

    Engage in an in-depth examination of criminal behavior, crime scene investigation, and digital forensic science.

    Learn More

  • BS in Cybersecurity

    Cybersecurity

    Bachelor of Science

    Learn to strategically assess, design, and implement superior cybersecurity defense systems for the public and private sectors.

    Learn More

  • BS in Data Science

    Data Science

    Bachelor of Science

    Get a solid foundation in data science with project-based coursework as you learn to tell the story in the data with data visualization.

    Learn More

  • BA in Emergency and Disaster Management

    Emergency and Disaster Management

    Bachelor of Arts

    Examine emergency management and planning, incident command, hazard mitigation, social media, hazardous materials management, and the psychology of disaster.

    Learn More

  • BA in English

    English

    Bachelor of Arts

    Sharpen critical thinking and communication skills while engaging in a deep exploration of English, American, and world literature.

    Learn More

  • BA in Entrepreneurship

    Entrepreneurship

    Bachelor of Arts

    Become knowledgeable in the essential elements of business innovation: idea generation, marketing, management, funding, and more.

    Learn More

  • BS in Environmental Science

    Environmental Science

    Bachelor of Science

    Explore the key issues and solutions driving the future of environmental management, including the stewardship of natural resources, pollution management, and fish and wildlife management.

    Learn More

  • BS in Esports

    Esports

    Bachelor of Science

    Learn about the serious side of the video gaming industry, examining the business of esports, event/facility management, player development and performance, and media production.

    Learn More

  • BS in Fire Science Management

    Fire Science Management

    Bachelor of Science

    Explore fire behavior, tactical fire operations, leadership, fire safety, and fire suppression methods with a focus on emergency and disaster management.

    Learn More

  • BA in Government Contracting and Acquisition

    Government Contracting and Acquisition

    Bachelor of Arts

    Develop proficiency in the government contracting and systems acquisition cycle within federal agencies and military and civilian defense organizations.

    Learn More

  • BS in Healthcare Administration

    Healthcare Administration

    Bachelor of Science

    Build knowledge in healthcare legal and ethical principles, compliance, quality and safety, finance, informatics, and human resources applied to a hospital, healthcare system, or medical practice.

    Learn More

  • BS in Health Information Management

    Health Information Management

    Bachelor of Science

    Expand your knowledge of the health information systems and technologies that drive today’s healthcare industry.

    Learn More

  • BAS in Health Sciences

    Health Sciences

    Bachelor of Applied Science

    Engage in a broad study of natural sciences, sports and health sciences, public health, information systems, health information management, and healthcare administration.

    Learn More

  • BA in History

    History

    Bachelor of Arts

    Learn about the past—history’s most fascinating events, people, and cultures—in order to understand how modern civilization took shape.

    Learn More

  • BA in Homeland Security

    Homeland Security

    Bachelor of Arts

    Build foundational knowledge in critical infrastructure protection, defense, border security, intelligence, and interagency and intergovernmental relations.

    Learn More

  • BA in Hospitality Management

    Hospitality Management

    Bachelor of Arts

    Prepare for global hospitality operations, exploring hospitality marketing, HR, leadership, strategic planning, law, ethics, and revenue management.

    Learn More

  • BA in Human Development and Family Studies

    Human Development and Family Studies

    Bachelor of Arts

    Explore human development across the lifespan with coursework that examines human interaction, human sexuality, family life and communications, and parenting.

    Learn More

  • BA in Human Resource Management

    Human Resource Management

    Bachelor of Arts

    Explore strategies to motivate, compensate, recruit, evaluate, and develop an organization’s talent base.

    Learn More

  • BS in Information Technology

    Information Technology

    Bachelor of Science

    Learn how to build and deploy networks, databases, web properties, and other IT-related assets.

    Learn More

  • BS in Information Technology Management

    Information Technology Management

    Bachelor of Science

    Learn how to develop and communicate technology solutions, manage tech operations, evaluate and improve products, and provide customer support.

    Learn More

  • BA in Intelligence Studies

    Intelligence Studies

    Bachelor of Arts

    Build knowledge in intelligence gathering, analysis, and operations, with professional application to the U.S. intelligence community, as well as security and corporate intelligence sectors.

    Learn More

  • BA in Interdisciplinary Studies

    Interdisciplinary Studies

    Bachelor of Arts

    Combine general education with courses in business and management, communication and media, natural and social sciences, and social services to finish your degree online.

    Learn More

  • BA in International Relations and Global Security

    International Relations and Global Security

    Bachelor of Arts

    Explore civic engagement and social responsibility in the context of the influences impacting diplomacy worldwide and the shaping of geopolitical leaders.

    Learn More

  • BS in Legal Studies

    Legal Studies

    Bachelor of Science

    Prepare for ethical service and leadership, developing the knowledge to address complex legal issues that can impact the public’s access to justice.

    Learn More

  • BA in Management

    Management

    Bachelor of Arts

    Explore the concepts and practices necessary to organize, motivate, and lead human capital in private, public, and military settings.

    Learn More

  • BA in Marketing

    Marketing

    Bachelor of Arts

    Explore the many dimensions of marketing: product development, research and strategy, branding, planning and distribution, pricing, promotion, and ecommerce.

    Learn More

  • BS in Mathematics

    Mathematics

    Bachelor of Science

    Explore advanced mathematical theory and analytical methods while sharpening critical-thinking skills used to solve science and technology problems.

    Learn More

  • BA in Military History

    Military History

    Bachelor of Arts

    Focus on armed conflict and how the outcomes of those events shaped civilizations throughout history.

    Learn More

  • BS in Natural Sciences

    Natural Sciences

    Bachelor of Science

    Engage in a comprehensive exploration of biology, chemistry, physics, mathematics, and earth science while undertaking at-home lab work using kits mailed to you.

    Learn More

  • BS in Nursing

    Nursing

    Bachelor of Science

    Advance your knowledge as a Registered Nurse through coursework including evidence-based practice, clinical decision-making, and community health.

    Learn More

  • BA in Philosophy

    Philosophy

    Bachelor of Arts

    Explore myths, rituals, ethics, and morality through the teachings of the most acclaimed philosophers and theoretical movements.

    Learn More

  • BA in Political Science

    Political Science

    Bachelor of Arts

    Prepare for global citizenship by engaging in an examination of government, economics, and civil society’s relation to contemporary political systems

    Learn More

  • BA in Psychology

    Psychology

    Bachelor of Arts

    Study the human mind and behavior through the prism of developmental, organizational, and abnormal psychology.

    Learn More

  • BS in Public Health

    Public Health

    Bachelor of Science

    Examine public health issues in the U.S. and abroad, including the science, psychology, and sociology associated with public health issues.

    Learn More

  • BA in Religion

    Religion

    Bachelor of Arts

    Develop an understanding of religion’s influence throughout society from a cultural, political, and spiritual perspective.

    Learn More

  • BA in Retail Management

    Retail Management

    Bachelor of Arts

    Develop the leadership skills needed for retail professionals, exploring strategy, innovation, operations, and merchandising.

    Learn More

  • BA in Reverse Logistics Management

    Reverse Logistics Management

    Bachelor of Arts

    Learn the environmental, technological, economic, policy, and transportation aspects of reverse logistics as it applies to military, manufacturing, and retail operations.

    Learn More

  • BA in Security Management

    Security Management

    Bachelor of Arts

    Learn the principles associated with various types of security, including asset protection, security program administration and evaluation, ethics, and physical security.

    Learn More

  • BA in Sociology

    Sociology

    Bachelor of Arts

    Study all forms of human behavior and interaction—from individuals and small groups to institutions and global communities.

    Learn More

  • BS in Space Studies

    Space Studies

    Bachelor of Science

    Study aerospace science, astronomy, management, and operations as you learn about the political, legal, economic, and technological challenges associated with space exploration.

    Learn More

  • BS in Sports and Health Sciences

    Sports and Health Sciences

    Bachelor of Science

    Learn how to help individuals optimize health and wellness by exploring exercise science, exercise testing and programming, fitness, and nutrition.

    Learn More

  • BS in Sports Management

    Sports Management

    Bachelor of Science

    Learn about the business of sports, including sports marketing, promotion, public relations, finance, facility management, event planning, and law.

    Learn More

  • BA in Supply Chain Management

    Supply Chain Management

    Bachelor of Arts

    Leverage problem solving and critical thinking skills in managing the complex processes, activities, and costs associated with getting products from suppliers to customers.

    Learn More

  • BAS in Technical Management

    Technical Management

    Bachelor of Applied Science

    Explore management concepts and practices needed to organize, motivate, and lead personnel in technical settings.

    Learn More

  • BA in Transportation and Logistics Management

    Transportation and Logistics Management

    Bachelor of Arts

    Explore the principles, policies, and trends related to the heart of the global supply chain: air, maritime, and ground transportation and logistics.

    Learn More

  • MS in Accounting

    Accounting

    Master of Science

    Blend theory with the practical and research skills required to address complex accounting issues found in private corporations, governmental agencies, and nonprofit organizations.

    Learn More

  • MS in Applied Business Analytics

    Applied Business Analytics

    Master of Science

    Learn to use data mining techniques and apply business and big data analytics to help you meet your organization’s business objectives.

    Learn More

  • MS in Athletic Development Management

    Athletic Development Management

    Master of Science

    Combine your commitment to optimize the training and development of athletes with your desire to own or manage a sports training facility or private coaching business.

    Learn More

  • MBA in Business Administration

    Business Administration

    Master of Business Administration

    Explore management, marketing, technology, business analytics, and other capabilities essential for business leadership with this online MBA.

    Learn More

  • MA in Criminal Justice

    Criminal Justice

    Master of Arts

    Explore criminal law, juvenile and delinquent behavior, security, and terrorism in a post-9/11 world as you develop professional skills necessary for leadership in the criminal justice field.

    Learn More

  • MS in Cybersecurity

    Cybersecurity

    Master of Science

    Learn to prevent, detect, and respond to large-scale cyber threats and cyber attacks, building knowledge in risk management, intrusion detection, and digital forensics.

    Learn More

  • Masters of Education in Educational Leadership

    Educational Leadership

    Master of Education

    This program is for practicing teachers who wish to develop the knowledge and skills necessary for a leadership role in a K-12 school.

    Learn More

  • MA in Emergency and Disaster Management

    Emergency and Disaster Management

    Master of Arts

    Be prepared to manage emergency, disaster, and catastrophe response, relief, and recovery at an advanced level.

    Learn More

  • MA in Emergency and Disaster Management and Homeland Security

    Emergency and Disaster Management and Homeland Security

    Master of Arts

    Prepare to lead response in times of crisis with this dual degree to advance your knowledge in emergency and disaster management, homeland security, hazard analysis, terrorism.

    Learn More

  • MA in Entrepreneurship

    Entrepreneurship

    Master of Arts

    Explore the practical applications of running a business by examining business concepts related to marketing, management, ideation, and capital funding.

    Learn More

  • MS in Environmental Policy Management

    Environmental Policy Management

    Master of Science

    Prepare to resolve today’s most complex environmental issues through the use of environmental management tools and strategies.

    Learn More

  • MS in Healthcare Administration

    Healthcare Administration

    Master of Science

    Sharpen your strategic decision-making skills with an eye toward ethical leadership practices, leading a diverse workforce, and quality patient-centered care in a hospital, healthcare system, or medical practice.

    Learn More

  • MS in Health Information Management

    Health Information Management

    Master of Science

    Enhance leadership, critical-thinking, and problem-solving skills with a focus on health data management and clinical decision-making.

    Learn More

  • Masters of Education in Higher Education Administration

    Higher Education Administration

    Master of Education

    Develop the college leadership skills needed to create effective learning environments leading to student success.

    Learn More

  • MA in History

    History

    Master of Arts

    Embark on an academic journey to explore key historical events, people, and cultures that fundamentally shaped the world today.

    Learn More

  • MA in Homeland Security

    Homeland Security

    Master of Arts

    Develop leadership skills aimed at national security and gain advanced knowledge in homeland security and defense, intelligence, privacy and civil liberties, resilience, and domestic terrorism.

    Learn More

  • MA in Human Resource Management

    Human Resource Management

    Master of Arts

    Sharpen your knowledge of HR management concepts, including employee recruitment, retention, and compensation, in order to contribute to an organization’s strategic direction.

    Learn More

  • MA in Humanities

    Humanities

    Master of Arts

    Critically examine the human race through the lens of the humanities, social sciences, and natural sciences, studying works from antiquity to the present day.

    Learn More

  • MS in Information Technology

    Information Technology

    Master of Science

    Develop an advanced understanding of information systems (IS) development and implementation through courses covering database systems and IS architectures.

    Learn More

  • MA in Intelligence Studies

    Intelligence Studies

    Master of Arts

    Gain an expert understanding of strategic intelligence analysis, collection, and operations as they apply to intelligence, security, and corporate sectors.

    Learn More

  • MA in International Relations and Global Security

    International Relations and Global Security

    Master of Arts

    Develop integrated knowledge of international studies, international affairs, and conflict resolution, while engaging in comparative study of complex international systems.

    Learn More

  • MA in Legal Studies

    Legal Studies

    Master of Arts

    Expand your knowledge and understanding of law, legal doctrines, legal concepts, and workplace legal issues.

    Learn More

  • MA in Management

    Management

    Master of Arts

    Probe the advanced leadership and organizational management concepts and practices that drive strategic business initiatives.

    Learn More

  • MA in Military History

    Military History

    Master of Arts

    Learn about warfare’s impact on society, as well as the strategy, command, leadership tactics, and technological weaponry advances that influenced the outcome of pivotal battles in history.

    Learn More

  • MA in Military Studies

    Military Studies

    Master of Arts

    Examine concepts related to the theory and practice of war, joint warfare, and military leadership, along with emerging defense and security challenges facing the U.S.

    Learn More

  • MA in National Security Studies

    National Security Studies

    Master of Arts

    Explore the complexities of today’s uncertain security environment through an executive-level education in national and international security policy.

    Learn More

  • MS in Nursing

    Nursing

    Master of Science

    Prepare to be an effective leader and an agent of change in the delivery of quality, patient-centered healthcare.

    Learn More

  • MS in Nursing RN-MSN

    Nursing RN-MSN

    Master of Science

    Speed your path to becoming a master’s-prepared nurse with this accelerated program as you earn both a BSN and an MSN in this single program.

    Learn More

  • Masters of Education in Online Teaching

    Online Teaching

    Master of Education

    Learn how to manage a K-12 online/virtual classroom or school while sharpening your ability to help students achieve success through digital learning.

    Learn More

  • MA in Political Science

    Political Science

    Master of Arts

    Advance your understanding of how government works, while enhancing your ability to evaluate policy at all levels of government.

    Learn More

  • MA in Psychology

    Psychology

    Master of Arts

    Explore the human mind and behavior through coursework covering personality, development, human relations, and social and cultural diversity.

    Learn More

  • Masters in Public Administration

    Public Administration

    Master of Public Administration

    Learn to help governments and public sector agencies run smoothly by developing an advanced understanding of public administration, management, and policy.

    Learn More

  • Masters in Public Health

    Public Health

    Master of Public Health

    Address complex health issues, exploring community and global health, environmental health sciences, epidemiology, and health policy in this CEPH-accredited program.

    Learn More

  • Masters in Public Policy

    Public Policy

    Master of Public Policy

    Master the essential elements of public policy: research, data analysis, communication, creative and critical thinking, and action.

    Learn More

  • MA in Reverse Logistics Management

    Reverse Logistics Management

    Master of Arts

    Develop the unique and specialized knowledge required to support complex reverse logistics challenges in both military and civilian environments.

    Learn More

  • MA in Security Management

    Security Management

    Master of Arts

    Gain an expert understanding of asset protection, loss prevention management, security program evaluation, and security management ethics and administration.

    Learn More

  • MA in Sociology

    Sociology

    Master of Arts

    Demonstrate advanced knowledge of social science research methods and statistical analysis to examine big data in interdisciplinary contexts and career fields.

    Learn More

  • MS in Space Studies

    Space Studies

    Master of Science

    Examine the challenges associated with the exploration and usage of space considering factors involving politics, economics, law, commerce, science, and technology.

    Learn More

  • MS in Sports and Health Sciences

    Sports and Health Sciences

    Master of Science

    Learn how to design effective movement programs for people as you gain advanced knowledge in exercise science, nutrition, and fitness.

    Learn More

  • MS in Sports Management

    Sports Management

    Master of Science

    Enhance your knowledge of sports law, marketing, promotion, public relations, and finance, as you develop business skills to support sports program and individual athlete achievement.

    Learn More

  • Masters of Education in Student Affairs in Higher Education

    Student Affairs in Higher Education

    Master of Education

    Prepare for educational leadership and student affairs roles in higher education with this master’s program, offering unique practicum opportunities.

    Learn More

  • MA in Supply Chain Management

    Supply Chain Management

    Master of Arts

    Examine the supply chain management industry from a global perspective and explore purchasing, transportation, logistics, distribution, warehousing, reverse logistics, and acquisitions management.

    Learn More

  • Masters of Education in Teaching

    Teaching

    Master of Education

    Enhance your knowledge and skill in curriculum and instruction, diversity, classroom management, and applied technology in this nonlicensure program.

    Learn More

  • MA in Transportation and Logistics Management

    Transportation and Logistics Management

    Master of Arts

    Develop advanced knowledge and capabilities related to air, maritime, and ground transportation and logistics in moving goods from manufacturer to consumer.

    Learn More

  • Applied Doctorate in Global Security

    Global Security

    Applied Doctorate

    Develop an expert understanding of global security, with a focus on how it impacts domestic security and foreign policy.

    Learn More

  • Applied Doctorate in Strategic Intelligence

    Strategic Intelligence

    Applied Doctorate

    Study the activities and relationships between actors in the global community, along with domestic intelligence topics and issues of strategic concern to the U.S.

    Learn More

  • Graduate certificate in Accounting

    Accounting

    Graduate Certificate

    Enhance existing accounting knowledge through courses exploring advanced accounting topics.

    Learn More

  • Graduate certificate in American History

    American History

    Graduate Certificate

    Explore the political, cultural, religious, and socioeconomic conditions that shaped the U.S. since its 18th century beginnings.

    Learn More

  • Graduate certificate in American Revolution

    American Revolution

    Graduate Certificate

    Explore the political, economic, and military factors that prompted and followed the Revolutionary War from both the British and American viewpoints.

    Learn More

  • Graduate certificate in Ancient and Classical History

    Ancient and Classical History

    Graduate Certificate

    Gain a thorough understanding of how Ancient Greek and Roman societies contributed to the rise of the West.

    Learn More

  • Graduate certificate in Athletic Administration

    Athletic Administration

    Graduate Certificate

    Examine the leadership, management, business, and fundraising skills often used by administrators of athletic programs.

    Learn More

  • Graduate certificate in Business Essentials for the Security Executive

    Business Essentials for the Security Executive

    Graduate Certificate

    Explore key business skills for security professionals managing personnel, budgets, and operations.

    Learn More

  • Undergrad certificate in Child Life

    Child Life

    Undergraduate Certificate

    Understand the complex issues faced by children and their families during times of acute or chronic illness, injury, trauma, disability, loss, and bereavement.

    Learn More

  • Graduate certificate in Civil War Studies

    Civil War Studies

    Graduate Certificate

    Explore the social, cultural, economic, and political influences that shaped the Antebellum, Civil War, and Reconstruction eras.

    Learn More

  • Undergrad certificate in Computer Systems and Networks

    Computer Systems and Networks

    Undergraduate Certificate

    Gain the knowledge often needed for building, repairing, and troubleshooting networks, PCs, and peripherals.

    Learn More

  • Undergrad certificate in Counterintelligence

    Counterintelligence

    Undergraduate Certificate

    Examine the role of counterintelligence professionals in overt and covert operational styles.

    Learn More

  • Graduate certificate in Counterintelligence

    Counterintelligence

    Graduate Certificate

    Gain an in-depth understanding of national security challenges, as taught by faculty with first-hand experience in the military, government, intelligence, defense, and policy sectors.

    Learn More

  • Graduate certificate in Cybercrime

    Cybercrime

    Graduate Certificate

    Gain an understanding of cybercrime investigation models, countermeasures, prevention methods, and federal and international cybercrime laws.

    Learn More

  • Undergrad certificate in Cybercrime Essentials

    Cybercrime Essentials

    Undergraduate Certificate

    Explore the theory, best practices, and methods for conducting computer forensics investigations.

    Learn More

  • Undergrad certificate in Cybersecurity

    Cybersecurity

    Undergraduate Certificate

    Analyze the social and legal impacts of cyber terrorism, cyberstalking, and cyber bullying.

    Learn More

  • Undergrad certificate in Digital Forensics

    Digital Forensics

    Undergraduate Certificate

    Explore digital forensics measures often needed to combat security incidents and prevent the loss or corruption of proprietary information.

    Learn More

  • Graduate certificate in Digital Forensics

    Digital Forensics

    Graduate Certificate

    Advance your knowledge of data security, integrity, and security vulnerabilities from multifunctional devices.

    Learn More

  • Undergrad certificate in e-Commerce

    e-Commerce

    Undergraduate Certificate

    Gain a thorough overview of ecommerce architecture, tools, and technologies while advancing your knowledge of web analytics, content management systems, and more.

    Learn More

  • Graduate certificate in Emergency and Disaster Management

    Emergency and Disaster Management

    Graduate Certificate

    Focus on hazard analysis, mitigation, planning, budgeting, communication, response, and recovery strategies for navigating emergencies.

    Learn More

  • Undergrad certificate in Emergency Management

    Emergency Management

    Undergraduate Certificate

    Study emergency management theory and concepts while building your knowledge of disaster planning, risk assessment, emergency operations, crisis communication, public policy, and disaster mitigation and recovery.

    Learn More

  • Graduate certificate in Emergency Management Executive Leadership

    Emergency Management Executive Leadership

    Graduate Certificate

    Gain the knowledge often needed to lead an emergency management program during preparation, response, and recovery operations.

    Learn More

  • Undergrad certificate in Employee Relations and Engagement

    Employee Relations and Engagement

    Undergraduate Certificate

    Study management strategies often used for navigating organizational change, resolving conflicts in the workplace, and encouraging healthy interaction among coworkers.

    Learn More

  • Undergrad certificate in Enterprise Web Applications

    Enterprise Web Applications

    Undergraduate Certificate

    Gain a foundation in the theories and skills often necessary to design, develop, and implement robust enterprise web applications.

    Learn More

  • Graduate certificate in Environmental Hazard Mitigation and Restoration

    Environmental Hazard Mitigation and Restoration

    Graduate Certificate

    Explore government policies designed to achieve sustainable natural disaster response and environmental mitigation.

    Learn More

  • Graduate certificate in Environmental Planning and Design

    Environmental Planning and Design

    Graduate Certificate

    Explore the complex correlations between humans, natural resource usage, and the resulting impact on the environment.

    Learn More

  • Graduate certificate in Environmental Sustainability

    Environmental Sustainability

    Graduate Certificate

    Focus on sustainability fundamentals, energy and environmental policy, economics, and global resource allocation.

    Learn More

  • Graduate certificate in European History

    European History

    Graduate Certificate

    Examine the connection between major historical events—from the death of Louis XIV to the near present day—and the economies, industries, and cultures that exist in Europe today.

    Learn More

  • Graduate certificate in Executive Coaching

    Executive Coaching

    Graduate Certificate

    Get the tools you may need to help individuals hone their leadership with this certificate, aligned to Board Certified Coach and International Coach Federation Certified Professional Coach competencies.

    Learn More

  • Graduate certificate in Executive Law Enforcement Leadership

    Executive Law Enforcement Leadership

    Graduate Certificate

    Study management fundamentals pertaining to law enforcement organizations.

    Learn More

  • Undergrad certificate in Explosive Ordnance Disposal

    Explosive Ordnance Disposal

    Undergraduate Certificate

    Study the science, history, construction, and handling of explosive substances, as well as proper disposal techniques.

    Learn More

  • Undergrad certificate in Family Studies

    Family Studies

    Undergraduate Certificate

    Gain the foundational skills and knowledge often required to work with children and families.

    Learn More

  • Undergrad certificate in Fire Science

    Fire Science

    Undergraduate Certificate

    Explore how and why fires start, spread, and can be controlled, while advancing your knowledge of fire prevention tactics, protection systems, emergency services, and more.

    Learn More

  • Undergrad certificate in Fish and Wildlife Management

    Fish and Wildlife Management

    Undergraduate Certificate

    Study the science, policies, regulations, and technical approaches to managing fish and wildlife across a variety of ecosystems.

    Learn More

  • Graduate certificate in Fish and Wildlife Management

    Fish and Wildlife Management

    Graduate Certificate

    Study ecological functions, habitat restoration, and the survivability and management of fish and wildlife populations.

    Learn More

  • Undergrad certificate in Forensics

    Forensics

    Undergraduate Certificate

    Gain a foundational knowledge of forensics, learning from faculty who bring a wealth of knowledge from professional roles in law enforcement and criminal justice.

    Learn More

  • Undergrad certificate in Government Agency Administration

    Government Agency Administration

    Undergraduate Certificate

    Gain foundational knowledge for leading public sector organizations, such as police, fire, and public works departments.

    Learn More

  • Undergrad certificate in Homeland Security

    Homeland Security

    Undergraduate Certificate

    Analyze the current state of homeland security in the United States, while gaining the knowledge and skill typically needed to create measures for protecting public safety.

    Learn More

  • Graduate certificate in Homeland Security

    Homeland Security

    Graduate Certificate

    Evaluate defense tactics for safeguarding our nation against weapons of mass destruction, terrorism, intelligence, and interagency government-related issues.

    Learn More

  • Graduate certificate in Human Capital Leadership

    Human Capital Leadership

    Graduate Certificate

    Learn how to navigate complex decision making, evaluate critical information, and implement new initiatives in a changing work environment.

    Learn More

  • Undergrad certificate in Human Resource Management

    Human Resource Management

    Undergraduate Certificate

    Gain exposure to the core functions of the HR field, and understand the role HR plays in organizational leadership.

    Learn More

  • Undergrad certificate in Infant and Toddler Care

    Infant and Toddler Care

    Undergraduate Certificate

    Explore infant and toddler development and disorders, while gaining the knowledge and skill typically needed to implement age-appropriate group activities and programs.

    Learn More

  • Graduate certificate in Information Assurance

    Information Assurance

    Graduate Certificate

    Learn the skills typically needed to detect threats and secure vital information assets across networks for organizations and government agencies.

    Learn More

  • Undergrad certificate in Information Security Planning

    Information Security Planning

    Undergraduate Certificate

    Learn how to design secure networks and safeguard organizations’ information assets internal and external threats.

    Learn More

  • Graduate certificate in Information Systems Security

    Information Systems Security

    Graduate Certificate

    Learn the guiding principles of information systems security and evaluate various types of security architecture and design models.

    Learn More

  • Undergrad certificate in Information Systems Security Essentials

    Information Systems Security Essentials

    Undergraduate Certificate

    Learn how to help protect organizations’ information assets while advancing your knowledge of access control, application security, business continuity, disaster recovery planning, and cryptography.

    Learn More

  • Undergrad certificate in Instructional Design and Delivery

    Instructional Design and Delivery

    Undergraduate Certificate

    Learn to create cohesive and engaging courses, syllabi, objectives, activities, and classroom management plans for adult learners.

    Learn More

  • Undergrad certificate in Intelligence Analysis

    Intelligence Analysis

    Undergraduate Certificate

    Learn how to gauge and forecast threats to U.S. national security using advanced qualitative analytic procedures, basic modeling, and predictive analysis skills.

    Learn More

  • Graduate certificate in Intelligence Analysis

    Intelligence Analysis

    Graduate Certificate

    Gain comprehensive knowledge of how U.S. intelligence agencies work to guard our global interests and protect national security.

    Learn More

  • Graduate certificate in Intelligence Studies

    Intelligence Studies

    Graduate Certificate

    Focus on intelligence theories and practices, data intelligence development, security threats, counterintelligence, and countermeasures.

    Learn More

  • Undergrad certificate in Internet Webmaster

    Internet Webmaster

    Undergraduate Certificate

    Acquire the knowledge and skill typically needed to design and develop websites, while gaining hands-on experience with HTML5, cascading style sheets (CSS), graphics, tables, templates, frames, forms, snippets, and more.

    Learn More

  • Undergrad certificate in IT Infrastructure Security

    IT Infrastructure Security

    Undergraduate Certificate

    Gain an understanding of how to design secure networks, develop risk mitigation plans, and perform intrusion detection in IT network environments.

    Learn More

  • Graduate certificate in IT Project Management

    IT Project Management

    Graduate Certificate

    Gain an in-depth understanding of IT management, effective strategic planning, risk assessment, and business systems analysis.

    Learn More

  • Undergrad certificate in IT Project Management Essentials

    IT Project Management Essentials

    Undergraduate Certificate

    Gain skills aimed at oversight of complex enterprise-level IT projects, including strategic planning and resource management.

    Learn More

  • Graduate certificate in K-12 Online Learning

    K-12 Online Learning

    Graduate Certificate

    Enrich your skill set and explore the teaching methods and technology tools suited for today’s ever-evolving virtual, face-to-face, and hybrid instructional settings.

    Learn More

  • Graduate certificate in K-12 Reading and Differentiated Instruction

    K-12 Reading and Differentiated Instruction

    Graduate Certificate

    Explore diagnostic approaches for struggling K-12 readers and learn how to create unique instructional and assessment activities.

    Learn More

  • Graduate certificate in K-12 Virtual School Administration

    K-12 Virtual School Administration

    Graduate Certificate

    Explore the financial, educational, legal, and ethical factors that influence the virtual classroom.

    Learn More

  • Undergrad certificate in Law Enforcement Leadership

    Law Enforcement Leadership

    Undergraduate Certificate

    Gain the foundational knowledge typically needed to lead a law enforcement agency by studying organizational behavior, budget development, labor relations, strategic planning, and more.

    Learn More

  • Graduate certificate in Leadership and Logistics

    Leadership and Logistics

    Graduate Certificate

    Build understanding of effective supply chain strategies for private- and public-sector organizations.

    Learn More

  • Graduate certificate in Life Coaching

    Life Coaching

    Graduate Certificate

    Advance your knowledge of the models, strategies, and practices often used for coaching individuals and groups to achieve their unique goals.

    Learn More

  • Graduate certificate in Logistics Management

    Logistics Management

    Graduate Certificate

    Develop an in-depth understanding of logistics processes and the role it plays in optimizing supply chain management.

    Learn More

  • Undergrad certificate in Microsoft Office Applications

    Microsoft Office Applications

    Undergraduate Certificate

    Grow familiar with the word processing, spreadsheet, presentation, and communications applications commonly used in a variety of fields.

    Learn More

  • Graduate certificate in National Security Studies

    National Security Studies

    Graduate Certificate

    Compare the structures, functions, capabilities, and activities of national and international security community members.

    Learn More

  • Graduate certificate in Neuroleadership

    Neuroleadership

    Graduate Certificate

    Discover creative approaches to improve employee performance, manage diversity, and facilitate better learning through coaching

    Learn More

  • Graduate certificate in Nonprofit Management

    Nonprofit Management

    Graduate Certificate

    Gain a deeper understanding of leadership, fundraising, government relations, communications, marketing, and finance fundamentals for nonprofits.

    Learn More

  • Graduate certificate in Nursing Education

    Nursing Education

    Graduate Certificate

    Prepare to educate the next generation of nursing professionals with this graduate certificate in Nursing Education, focusing on curriculum design, assessment, and teaching and learning practices.

    Learn More

  • Graduate certificate in Nursing Leadership

    Nursing Leadership

    Graduate Certificate

    This post-master’s certificate develops skills in leadership, human resource management, and operational quality for those seeking to advance their nursing practice.

    Learn More

  • Graduate certificate in Organizational Crisis Management

    Organizational Crisis Management

    Graduate Certificate

    Explore organizational crisis management concepts from a leader’s perspective, including organizational change, risk management, processes, and leadership roles in crisis management.

    Learn More

  • Graduate certificate in Organizational Management

    Organizational Management

    Graduate Certificate

    Enhance your problem-solving skills and study the latest management practices for developing high-performance teams and meeting evolving goals in the global business environment.

    Learn More

  • Undergrad certificate in Paralegal Studies

    Paralegal Studies

    Undergraduate Certificate

    Study the basics of legal terminology, research, and writing, as well as U.S. legal theory and concepts.

    Learn More

  • Undergrad certificate in Pre-Health

    Pre-Health

    Undergraduate Certificate

    Complete the general education coursework and lab experiences needed for admission to many nursing and allied health programs with this 26-credit program.

    Learn More

  • Graduate certificate in Professional Science Management

    Professional Science Management

    Graduate Certificate

    Gain the knowledge often needed for professional science leadership, while developing critical thinking, project management, problem solving, and negotiation skills.

    Learn More

  • Undergrad certificate in Public Lands Management

    Public Lands Management

    Undergraduate Certificate

    Explore the origins of national parks, forests, and refuges, while gaining foundational knowledge that may be applied to various industry fields.

    Learn More

  • Undergrad certificate in Real Estate Management

    Real Estate Management

    Undergraduate Certificate

    Gain a deeper understanding of real estate principles and practice, real estate law, property management, deeds and leases, insurance, marketing, and negotiation.

    Learn More

  • Undergrad certificate in Restaurant Operations

    Restaurant Operations

    Undergraduate Certificate

    Gain the front-office and behind-the-scenes operational knowledge often essential for restaurant management, employment, or ownership.

    Learn More

  • Undergrad certificate in Security Management

    Security Management

    Undergraduate Certificate

    Focus on the protection of assets while examining the major aspects of physical security, associated threats, and countermeasures.

    Learn More

  • Graduate certificate in Security Management

    Security Management

    Graduate Certificate

    Learn how to evaluate security programs while advancing your knowledge of industrial espionage, cybercrime, and security asset protection.

    Learn More

  • Undergrad certificate in Space Studies

    Space Studies

    Undergraduate Certificate

    Study spaceflight history, space policy, planetary exploration, and more, with a curriculum originally designed by a former NASA astronaut.

    Learn More

  • Graduate certificate in Space Studies

    Space Studies

    Graduate Certificate

    Study advanced laws of planetary motion and gravitation, orbital mechanics, and remote sensing, learning from expert faculty with NASA expertise.

    Learn More

  • Graduate certificate in Sports Management

    Sports Management

    Graduate Certificate

    Gain advanced business knowledge often essential for sports marketing agencies, professional sport franchises, recreational services, and more.

    Learn More

  • Undergrad certificate in Strategic Leadership (Business)

    Strategic Leadership (Business)

    Undergraduate Certificate

    Develop the tools and strategies often used for promoting a healthy workplace culture, learning from faculty who bring real-world management experience and knowledge.

    Learn More

  • Graduate certificate in Strategic Leadership (Military)

    Strategic Leadership (Military)

    Graduate Certificate

    Explore strategic military leadership theories, principles, and concepts applied from the mid-20th century through the modern era.

    Learn More

  • Undergrad certificate in Terrorism Studies

    Terrorism Studies

    Undergraduate Certificate

    Gain foundational knowledge of international and domestic terrorism, counterterrorism, terrorist weapons, and predictive intelligence methods for preventing terror attacks.

    Learn More

  • Graduate certificate in Terrorism Studies

    Terrorism Studies

    Graduate Certificate

    Identify the religious and political motivations that spark violent attacks.

    Learn More

  • Undergrad certificate in Visual Communications

    Visual Communications

    Undergraduate Certificate

    Gain foundational knowledge of graphic design, image manipulation, website design, and more while growing familiar with Adobe® applications.

    Learn More

  • Graduate certificate in World War 2 Studies

    World War 2 Studies

    Graduate Certificate

    Develop complex knowledge of World War II, examining the blitzkriegs, campaigns in North Africa and Italy, and the Allied victory in Europe and the Pacific.

    Learn More

No items could be found matching the query.

Tip: Keyword searches are exact; try a shorter phrase.
You can reset your query above.

Your current query

Keyword:

Level:

School:

The appearance of U.S. Department of Defense (DoD) visual information does not imply or constitute DoD endorsement.


LP5 Asset Dependencies

Degree Finder Touched Files

* section class updated and section moved to include. Pages not using the standardBody include will need to be updated with just the single line include below as well.

		
	include($GLOBALS["coreContentDir"]."_includes/degree-finder-v3.php");