While using a datasheet to track shoe orders, Gustav wants to see a picture of the shoes and read details about the shoes' materials. Which steps should he follow?

A.) Double-click on the record in the Customer ID field, then double-click on the customer dialog box.
B.) Create a new field, select images of the shoes from the Internet, and embed images into OLE type.
C.) Create a new shoe identification field by clicking on "Click to Add," and type notes using "memo" type.
D.) Double-click on the record in the Attachment field, then double-click on the attachment in the dialog box.

Answers

Answer 1

Answer:

B.) Create a new field, select images of the shoes from the Internet, and embed images into OLE type.

To see a picture of the shoes and read details about the shoes' materials while using a datasheet to track shoe orders, Gustav should create a new field in the datasheet and embed images of the shoes into that field using the OLE (Object Linking and Embedding) type. This will allow him to view the images within the datasheet and access any details or information associated with them. Double-clicking on records in the Customer ID field, Attachment field, or using memo type notes will not provide the desired outcome.

Explanation:


Related Questions


What is the world wide web (WWW)?
Explain any four (4) uses of the internet.
Discuss three (3) advantages and two (2) disadvantages of email.

Answers

Answer:

Availability and Portability. ...

Advantage: Reduces Shipping and Mailing Costs. ...

Disadvantage: Vulnerability to Loss. ...

Disadvantage: Accessible to Others.

I am stuck on this.... it is Java

Description:
"Simon Says" is a memory game where "Simon" outputs a sequence of 10 characters (R, G, B, Y) and the user must repeat the sequence. Create a for loop that compares the two strings starting from index 0. For each match, add one point to userScore. Upon a mismatch, exit the loop using a break statement. Assume simonPattern and userPattern are always the same length. Ex: The following patterns yield a userScore of 4:
simonPattern: RRGBRYYBGY
userPattern: RRGBBRYBGY

Answers

String simonPattern = "RRGBRYYBGY";

String userPattern = "RRGBBRYBGY";

int userScore = 0;

for (int i = 0; i < simonPattern.length(); i++) {

   if (simonPattern.charAt(i) == userPattern.charAt(i)) {

       userScore++;

   } else {

       break;

   }

}

System.out.println("User score: " + userScore);

Write a C++ program that displays the total running time of a given algorithm based on
different situations such as processor speed, input size, processor load, and software
environment (DOS and Windows).

Answers

Answer: Your welcome!

Explanation:

#include <iostream>

#include <cmath>

using namespace std;

int main()

{

 int processorSpeed; //in MHz

 int inputSize; //in Kb

 int processorLoad; //in %

 int softwareEnvironment; //1: DOS, 2: Windows

 int runningTime; //in ms

 

 cout << "Enter processor speed (MHz): ";

 cin >> processorSpeed;

 

 cout << "Enter input size (Kb): ";

 cin >> inputSize;

 

 cout << "Enter processor load (%): ";

 cin >> processorLoad;

 

 cout << "Enter software environment (1-DOS, 2-Windows): ";

 cin >> softwareEnvironment;

 

 if(softwareEnvironment == 1)

 {

   //DOS running time calculation

   runningTime = (inputSize / processorSpeed) + (processorLoad / 10);

 }

 else

 {

   //Windows running time calculation

   runningTime = (inputSize / (processorSpeed/2)) + (processorLoad / 10);

 }

 

 cout << "Total running time: " << runningTime << "ms" << endl;

 

 return 0;

}

consider this list of numbers: 9 3 6 8 4 7. after three comparisons have been made the list is 3 6 9 8 4 7 . which algorithm is being applied

Answers

Answer: The algorithm being applied is "Insertion Sort".

Explanation:

Insertion sort works by iteratively inserting each element of the input list into its proper place in a growing sorted list. In each iteration, the algorithm selects the first unsorted element and compares it with each element in the sorted portion of the list until it finds its correct position. It then inserts the element into the sorted portion of the list and moves on to the next unsorted element.

In the given example, the first three elements of the list (9, 3, and 6) are compared and swapped to produce the partially sorted list 3 9 6 8 4 7. Then, the next unsorted element (6) is compared with the sorted elements (3 and 9) and inserted in its correct position between 3 and 9, resulting in the list 3 6 9 8 4 7.

Using assembly
Read 1 byte. Write a program that prints:

It's a B

if the input is a B

It's NOT a A

if the input is not the letter B

helpful code
;nasm 2.13.02

section .data
message: db 'Same',10
messageLen: equ $-message

messageNOT: db 'NOT same',10
messageNOTLen: equ $-messageNOT

section .text
global _start

_start:

; compare if I have a 5
mov al,'X'
cmp al,'C'
je same

mov eax,4
mov ebx,1
mov ecx,messageNOT
mov edx,messageNOTLen
int 80h
jmp end
same:
mov eax,4
mov ebx,1
mov ecx,message
mov edx,messageLen
int 80h
end:
mov eax,1
mov ebx,0
int 80h;

Answers

Answer:

Here's an example program written in NASM x86 assembly that reads one byte of input and prints a message depending on whether the input is a B or not:

section .data

message_b: db "It's a B",10

message_not_b: db "It's NOT a B",10

section .bss

input_buffer: resb 1

section .text

global _start

_start:

   ; read one byte of input from stdin

   mov eax, 3

   mov ebx, 0

   mov ecx, input_buffer

   mov edx, 1

   int 0x80

   ; check if input is B

   cmp byte [input_buffer], 'B'

   jne not_b

   ; print "It's a B" message

   mov eax, 4

   mov ebx, 1

   mov ecx, message_b

   mov edx, 8

   int 0x80

   jmp end

not_b:

   ; print "It's NOT a B" message

   mov eax, 4

   mov ebx, 1

   mov ecx, message_not_b

   mov edx, 12

   int 0x80

end:

   ; exit program

   mov eax, 1

   xor ebx, ebx

   int 0x80

Explanation:

The program first declares two messages, one for when the input is a B and another for when it's not. It then reserves one byte of memory for the input buffer using the .bss section.

In the .text section, the program first reads one byte of input from stdin using the read system call. It then compares the input to the ASCII value of the letter B using the cmp instruction. If the input is not B, it jumps to the not_b label to print the "It's NOT a B" message. If the input is B, it continues to print the "It's a B" message.

The program uses the mov instruction to load the appropriate values into the registers required by the write system call. The message to be printed is stored in the ecx register, while the length of the message is stored in the edx register. The int 0x80 instruction is then used to invoke the write system call and print the message to stdout.

Finally, the program exits using the exit system call by loading the value 1 into the eax register and calling int 0x80.

Craig has told his team to design a website, but he wants to see a fully laid out detailed version before functionality can be added. How can his team produce this?

Craig's team can demonstrate this by creating a(n)_______​

Answers

Answer:

Craig's team can produce a mockup or wireframe of the website to show a fully laid-out detailed version without functionality. A mockup is a static visual representation of the website's design, usually created with a graphic design tool or even drawn on paper. It serves as a blueprint for the website's layout, content, and visual elements. A wireframe, on the other hand, is a low-fidelity representation of the website's design that outlines the placement and structure of content and features. Both of these tools can help Craig's team communicate their design ideas to stakeholders and get feedback before moving on to the development stage.

Answer:

Craig's team can create a mockup or prototype of the website to demonstrate the fully laid out detailed version before adding functionality. A mockup is a static visual representation of the website design, while a prototype is an interactive and clickable version that allows users to navigate through the design and experience its functionality. Both mockups and prototypes can be created using various tools such as graphic design software or prototyping tools. By creating a mockup or prototype, Craig's team can showcase the website design to him and other stakeholders, get feedback, and make any necessary revisions before adding functionality and building the actual website.

There are three emerging areas associated with technologies to monitor employees. Which of the following is one of those emerging areas?
Question 21 options:

How companies implement technology loss prevention programs.

How companies ban the use of social media.

How companies cope with employee misconduct.

How companies cope with BYOD.

Answers

Programs for preventing technology loss are a developing field related to technologies used to monitor employees. These programmes are intended to safeguard sensitive information and intellectual property.

What is technology for preventing data loss?

Users are prevented from sending sensitive or important information outside the company network by data loss prevention (DLP). The phrase refers to software tools that assist a network administrator in managing the data that users may send.

How can a firm be protected by a data loss prevention DLP strategy?

Data loss prevention (DLP) software keeps an eye on and guards against loss of network, endpoint, and cloud data. Reporting is a crucial component of data loss prevention since it demonstrates legal compliance and satisfies audit obligations.

To know more about Programs visit:-

https://brainly.com/question/10509036

#SPJ1

In 25 words or fewer, explain why it would be helpful to have access to
the organizational chart for the company where you work.

Answers

Answer:

Access to an organizational chart helps understand the company's structure, reporting relationships, and decision-making processes, leading to better communication and collaboration.

Explanation:

________ determines which actions are allowed or not allowed by a user or system.

Answers

Answer:

access control

Explanation:

Access control defines allowable operations of subjects on objects: it defines what different subjects are allowed to do or defines what can be done to different objects

peoplecsrutgers

15. Regularly downloading updates
is a great way to protect your devices
from
O A. going to jail.
B. interacting with strangers online.
C. cookies.
O D. viruses and hackers.

Answers

Answer:

D. viruses and hackers.

Explanation:

Regularly downloading updates

is a great way to protect your devices

from viruses and hackers.

What is the cpu,storage size and ram size of mainframe,supercomputers,minicomputer and microcomputer

Answers

Mainframe:

CPU: 256 cores

Storage size/RAM size : 32 GB

Supercomputer:

CPU: Tens/hundreds of thousands of cores

Storage size/RAM size: 200-300 GB

Minicomputer:

CPU: 2 or more cores

Storage size/RAM size: 128,000 Bytes, or 0.000128 GB

Microcomputer:

CPU: 1 core

Storage size/RAM size: 512 Mb, or 0.512 GB

Describe the Police Act 1967.​

Answers

Answer:

Explanation:

Some of the key provisions of the Police Act 1967 include:

The establishment of police authorities to oversee and administer police forces.

The creation of a rank structure for police officers, including the appointment of Chief Constables and other senior officers.

The establishment of a system of police training and development, including the creation of the Police Staff College.

The extension of police powers to deal with a wide range of criminal activities, including terrorism.

The introduction of measures to improve police accountability and transparency, such as the requirement for police authorities to hold public meetings.

I got phished and logged into my bank account t what information did I give to the hacker

Answers

Answer:

You give your email to them that is why the hacker hacks you.

Explanation:

Imad is a manage working in. Rang Mobile he can access the new customers report at any place with he need it what Characteristic of information is. best applied in this scenario 1_Reliable 2_Timely 3_Accurate 4_Secure​

Answers

"Timely" is the quality of information that fits this situation the best. Imad requires access to the new customer report whenever and wherever he wants it because he is a manager.

What essential qualities exist?

an essential quality. A product feature for which testing or inspection is necessary prior to shipment to assure conformance with the technical requirements under which the approval was obtained and which, if not manufactured as approved, could have a direct negative influence on safety.

What essential elements make up information integrity?

Integrity safeguards the information's accuracy or correctness while it is being processed, stored, or in transit. It serves as a guarantee that the information is accurate and unaltered.

To know more about access visit:-

https://brainly.com/question/14286257

#SPJ1

Question 18 of 50
A value inventory is a self-assessment test that measures the importance of certain values in order to guide an individual
his/her career path.
True
False

Answers

Answer:

true trust

explanation trust

Answer is true not false

What is meant by Slide Show​

Answers

Answer:

A slide show is a presentation of a series of still images on a projection screen or electronic display device, typically in a prearranged sequence . The changes may be automatic and at regular intervals or they may be manually controlled by a presenter or a viewer.

I hope it helped you...

If I got it right...

MARK ME AS BRAINLIEST

what is the best software company in Hyderabad?

Answers

Answer:

Deloitte

benefits

1. highest salary package

2. hardword

Discuss the (FIVE) risk possess of forensic investigation

Answers

Answer:

Contamination of Evidence: One of the primary risks of forensic investigation is the contamination of evidence. Contamination can occur when evidence is mishandled, improperly stored, or mixed with other evidence. This can result in unreliable or inaccurate results, which can compromise the integrity of the investigation.

False Accusations: Forensic investigation can sometimes lead to false accusations if the evidence is misinterpreted or misrepresented. This can occur if the investigator lacks the necessary expertise to properly analyze the evidence or if the evidence is tampered with. False accusations can result in wrongful convictions, which can have severe consequences for the accused.

Bias: Forensic investigators may have preconceived notions or biases that can influence the way they analyze evidence. For example, investigators may be influenced by the social, cultural, or political climate surrounding the case. This can result in a skewed interpretation of the evidence, which can compromise the investigation.

Human Error: Forensic investigation is a complex process that involves many steps, and errors can occur at any stage. For example, evidence may be mishandled, lost, or mislabeled, or the analysis may be flawed. These errors can result in inaccurate results, which can compromise the investigation.

Legal and Ethical Issues: Forensic investigation involves legal and ethical issues that must be carefully navigated. For example, investigators must ensure that they have obtained the necessary permissions to collect and analyze evidence. They must also ensure that they are following proper procedures and protocols to avoid any legal or ethical violations.

In conclusion, forensic investigation is a complex and risky process that requires careful planning, attention to detail, and expertise. Investigators must be aware of the risks involved and take the necessary steps to mitigate them to ensure that the investigation is conducted with integrity and accuracy.

Explanation:

Which practice indicates integrity? A. manipulating people for everyone’s benefit B. inflating product costs in accounting ledgers C. actively participating in team practices and team meetings D. indiscriminately providing company data to external parties

Answers

Answer:

The practice that indicates integrity is C. actively participating in team practices and team meetings.

Explanation:

Online data storage refers to the practice of storing electronic data with a third party services accessed via the internet
A true
B false​

Answers

Answer: I think the answer is true

Answer: the answer is true

Describe the basic internal operation of optical disc reader/written

Answers

Explanation:

An optical disc reader/writer is a device that is used to read or write data to an optical disc, such as a CD, DVD, or Blu-ray disc. The basic internal operation of an optical disc reader/writer can be described as follows:

Disc loading: The optical disc reader/writer has a tray or slot where the disc is loaded. When the disc is inserted, the tray or slot mechanism moves the disc into position and holds it in place.

Spinning: The disc is spun by a motor inside the optical disc reader/writer. The speed at which the disc spins varies depending on the type of disc and the location of the data being read or written.

Laser reading/writing: The optical disc reader/writer uses a laser to read or write data to the disc. The laser is focused on the disc's surface, and the reflection of the laser light is detected by a sensor. The sensor then translates the reflection into digital data that can be read or written to the disc.

Tracking: The laser is moved across the disc's surface by a tracking mechanism. This ensures that the laser stays in the correct position to read or write data to the disc.

Data processing: The digital data that is read or written to the disc is processed by a controller inside the optical disc reader/writer. The controller is responsible for interpreting the data and sending it to the computer or other device that the optical disc reader/writer is connected to.

Ejecting: When the disc is finished being read or written to, the tray or slot mechanism releases the disc, and it can be removed from the optical disc reader/writer.

leave a comment

Explain why a programmer would make use of both an interpreter and a compiler. [4] |​

Answers

A programmer might make use of both an interpreter and a compiler for different reasons.

An interpreter is a program that directly executes the source code of a program without first converting it to machine code. It reads the code line by line and executes each line immediately. Interpreted languages are often used for scripting, prototyping, and rapid development because changes to the code can be tested and executed quickly.

A compiler, on the other hand, is a program that translates the source code of a program into machine code that can be executed directly by the computer's processor. Compiled languages are often used for performance-critical applications because the compiled code is optimized for the target platform and can execute more quickly than interpreted code.

So, a programmer might use an interpreter during the development and testing phase of a program to quickly try out changes and see the results. Once the code is stable and ready for deployment, the programmer might use a compiler to create an optimized executable that can be distributed to end-users.

Another reason to use both an interpreter and a compiler is to take advantage of the strengths of each approach. For example, some languages like Java are first compiled into an intermediate bytecode that can be interpreted by a Java Virtual Machine (JVM). This allows the code to be compiled once and then run on any platform that has a compatible JVM, while still providing some of the performance benefits of compiled code.

In summary, a programmer might use both an interpreter and a compiler for different reasons, such as rapid prototyping, performance optimization, or platform independence.

You have been given a project to build an IT infrastructure for a particular
telecommunication company. You have been given specifications which shows
that the company will receive high volume of calls and messages from its
customers. You have been told that the users (customers and employees of the
company) of the system should be given fair amount of time for services and
the response time should be minimized. The management of the company have
already bought other software tools but are not sure what kind of operating
system to deploy. You have been requested to recommend the best operating
system based on their requirements (fair amount time for services and
minimized response time). Convince the management that your choice is
right

Answers

Answer:

Linux

Explanation:

The best operating system to deploy for this project would be Linux. Linux is a powerful operating system that is optimized for performance and is widely used in high volume call center environments. It is open source, which means that it is highly customizable and can be tailored to meet the specific needs of the company.

One of the key advantages of Linux is its stability and reliability. It is designed to run continuously for long periods of time without crashing or requiring rebooting, which is essential for a telecommunications company that requires a high level of uptime for its systems.

Linux is also highly secure, which is crucial for a company that will be handling sensitive customer data. The open-source nature of Linux means that security vulnerabilities are identified and patched quickly, reducing the risk of security breaches.

Finally, Linux is known for its low response time and quick processing speed. It is optimized for multitasking, which means that it can handle multiple requests simultaneously without slowing down the system. This will ensure that the users of the system are provided with a fair amount of time for services and that the response time is minimized.

Use the following initializer list:

w = ["Algorithm", "Logic", "Filter", "Software", "Network", "Parameters", "Analyze", "Algorithm", "Functionality", "Viruses"]

Write a loop to print the words that start with "F" or "L".

Sample Run:
Logic
Filter
Functionality

Answers

Answer:

Here's the Java code to print the words that start with "F" or "L":

String[] w = {"Algorithm", "Logic", "Filter", "Software", "Network", "Parameters", "Analyze", "Algorithm", "Functionality", "Viruses"};

for (String word : w) {

   if (word.startsWith("F") || word.startsWith("L")) {

       System.out.println(word);

   }

}

Explanation:

Output:

Logic

Filter

Functionality

Which of these is it important to check when checking compatibility on phones?

A. no text input

B. mouse-free input

C. touchless interface

D. no audio output

E. does not support forms​

Answers

Answer:

The option that is important to check when checking compatibility on phones is not listed. The most important factor to check for compatibility on phones is the operating system (OS) version. Different OS versions may have different requirements for running apps, so it's important to make sure the app is compatible with the user's OS version. Other factors that may be important to check for compatibility include screen size and resolution, RAM and storage capacity, and network connectivity.

Explanation:

A team of engineers have done the root cause analysis of all identified defects of Release 1. To prevent such defects occurring in the next release, they have proposed a few changes to the process.

Answers

It is always important to analyze the root cause of defects to understand why they occurred and how to prevent them in the future.

Proposing changes to the process is a good way to prevent similar defects from occurring in the next release. It's important to carefully consider these proposed changes and make sure that they are feasible and effective in addressing the root causes of the defects.

What is root cause analysis?

Root cause analysis is a problem-solving process used to identify the underlying cause or causes of a problem or defect. In this case, a team of engineers has identified and analyzed all the defects that were found in Release 1 of a particular product or software.

After identifying the root cause of each defect, the engineers have proposed changes to the development process to prevent these defects from occurring in the next release. These changes could include implementing new quality control measures, improving the testing process,etc.

Therefore, the goal of these changes is to prevent similar defects from occurring in the future, which can help improve the overall quality of the product or software and reduce the need for costly and time-consuming rework or fixes.

Learn more about root cause analysis on:

https://brainly.com/question/21116246

#SPJ1

Real GDP Government Spending (G) Tax Revenues (T) (Billions of dollars) (Billions of dollars) (Billions of dollars) 340 58 54 380 58 58 420 58 62 Use the blue line (circle symbols) to plot the government spending schedule presented in the table. Then use the orange line (square symbols) to plot the economy's tax revenues schedule. G T Deficits Surpluses 300 320 340 360 380 400 420 440 460 480 500 70 68 66 64 62 60 58 56 54 52 50 GOVERNMENT SPENDING AND TAXES (Billions of dollars) REAL GDP (Billions of dollars)

Answers

The deficits and surpluses can be calculated by subtracting government spending from tax revenue at each level of real GDP.

Explain the graph showing the government spending and tax revenue schedules?

The blue line with circle symbols represents the government spending schedule. It's a horizontal line at $58 billion, which means that regardless of the level of real GDP, the government spending remains constant at $58 billion.

The orange line with square symbols represents the economy's tax revenue schedule. It's an upward sloping line that starts at $54 billion when the real GDP is $340 billion and increases by $4 billion for every $40 billion increase in real GDP. For example, when real GDP is $380 billion, tax revenue is $58 billion; when real GDP is $420 billion, tax revenue is $62 billion.

The deficits and surpluses can be calculated by subtracting government spending from tax revenue at each level of real GDP. For example, when real GDP is $340 billion, the deficit is $4 billion ($58 billion - $54 billion); when real GDP is $420 billion, the surplus is $4 billion ($62 billion - $58 billion).

To learn more about tax, visit: https://brainly.com/question/14720363

#SPJ1

14. What does it mean to unplug?
O A. To move to a country or town
that has much slower Internet access
B. To make sure that your devices
aren't always plugged in so the battery
lasts longer
O C. To take time away from phones,
computers, tablets, and other devices
O D. To reset your Internet by turning
the modem off and on again

Answers

I would say B for unplug

For questions 5-8, consider the following code:



def mystery(a = 2, b = 1, c = 3):

return 2 * a + b + 3 * c

What is the output for mystery(4, 3, 7)?

What is the output for mystery(5, 8)?

What is the output for mystery(1)?

What is the output for mystery()?

Answers

Answer:

les go, it has optional parameters so...

Explanation:

output of 1 is 32

second 27

third 12

fourth 14

A web designer finds out after the launch that the website created is not supported by some versions of Internet Explorer. Which phase could have corrected this issue? O O

A. wireframing

B. need testing design testing

C. Design testing

D. usability testing

E. page description diagrams ​

Answers

Answer:

The phase that could have corrected this issue is Design testing. During this phase, designers typically test the website's functionality and compatibility across multiple browsers and platforms to identify and fix any issues before launching the website.

Explanation:

Other Questions
Can the president may send the military into another country without a congressional declaration of war? PLEASE SHOW WORK!!!!!!!!! ACTIVITY 1 The Fabric Company carries on a manufacturing business, information extracted from its trial balance at 31 March 2016 is as follows: Revenue Inventory at 1 April 2015: Raw materials Work in progress Finished goods Purchase of raw materials Carriage inwards Direct labour Other direct expenses Factory overheads Office overheads Debit Credit $000 $000 700 10 12 24 130 170 16 128 96 4 A 100g sample of water at 25C is heated over a Bunsen burner until it nearly reaches boiling, at99C. How much heat (in joules) was applied to the beaker? Who has a better bating average 12 to 15 or 9 to 10 Solve the indefinite integral (linear): What are a few messages of The War Prayer by Mark Twain? (if you can include an example too) What is the equation of the graph below?On a coordinate plane, a curve crosses the y-axis at y = 1 and then completes one cycle at 360 degrees.y = sine (x + 90 degrees)y = cosine (x + 90 degrees)y = sine (x + 45 degrees)y = cosine (x + 45 degrees) Help please What was the outcome of the Allied attack on North Africa?OA. The Axis powers advanced farther south in Africa.B. The Axis powers were driven out of North Africa.C. The British army occupied the majority of Africa.D. The British army faced a major defeat in Egypt.SUBMIT in real life entrepreneurs are entrepreneurs are those that do what Part B: Which other phrase from the speech has a similar purpose as the metaphor in Part A? Hurry up pls help me pls help asap!!!A 10 g piece of metal at 100C is dropped into 10 mL (10 g) of water that is 20C.The final temperature of both the water and metal is 35C. Which substance, themetal or the water, has the highest specific heat? Explain why. A chef need to 12 pound of sliced carrots. This preparation of carrots has a yield percent of 86. What he peed quantity of carrots does the chef need to pull from the walk-in? Write a function rule P(m) to represent Evelyns profit per mask so that she can always find what her profits will be for any amount of masks (m) she sells. PLS SOMEONE HELP ME, I NEED HELP FINDING 13 PIECES OF EVIDENCE FROM THE BOOK FAHRENHEIT 451 THAT ANSWERS MY QUESTION: How does the government use the news to reduce original thought? ( how does the government use the news media to influence public opinion). PLEASE FIND 13 PEICES OF EVIDENCE AND EXPLAIN HOW IT ANSWERS MY QUESTION put the list in chronological order allow the solid/liquid mixture to drain through the filter _________ represent the different variations of a gene. What is solidarity?Discuss Emile Durkheims theory of structural functionalism, social determinism, and social bonds. Apply his theory to the Haka clips provided in Module 2.