Answer:
If there are many people in the class and if most of these people have never done such an intensive proof-based class, then I'd say this is not so surprising that the class average would be 56%-34%
Explanation:
hopes this help this question threw me off a lot
In order to average together values that match two different conditions in different ranges, an excel user should use the ____ function.
Answer: Excel Average functions
Explanation: it gets the work done.
Answer:
excel average
Explanation:
State three modules in HansaWorld and briefly describe what each is used for. (6)
2. With an example, explain what settings are used for. (3)
3. What is Personal Desktop and why is it good to use? Mention two ways in which an
entry can be deleted from the personal desktop. (6)
4. Describe how you invalidate a record in HansaWorld (3)
5. Briefly explain what specification, paste special and report windows are used for. (6)
6. How many reports can you have on the screen at once? How many reports does
HansaWorld have? (4)
7. Describe any two views of the Calendar and how you can open them (4)
8. Describe three (3) ways in which records can be attached to Mails. (6)
9. Describe the basic SALES PROCESS where there is no stock involved and how the
same is implemented in HansaWorld. (12)
1. We can see here that the three modules in HansaWorld and their brief descriptions:
AccountingInventoryCRM2. We can deduce that settings are actually used in HansaWorld for used for configuring the system to meet specific business requirements.
What is HansaWorld?It is important for us to understand what HansaWorld is all about. We can see here that HansaWorld is actually known to be an enterprise resource planning (ERP) system that provides integrated software solutions for businesses.
3. Personal Desktop is actually known to be a feature in HansaWorld. It allows users to create a personalized workspace within the system.
It can help users to increase their productivity and efficiency.
4. To actually invalidate a record in HansaWorld, there steps to take.
5. We can deduce here that specification, paste special and report windows help users to actually manage data and generate report.
6. There are factors that play in in determining the amount of reports generated.
7. The Calendar on HansaWorld is used to view upcoming events. There is the Day View and there is the Month View.
8. We can see that in attaching records, HansaWorld allows you to:
Drag and drop.Insert linkUse the Mail Merge FunctionLearn more about report on https://brainly.com/question/26177190
#SPJ1
Under foreign corrupt practices act, under what conditions is a bribe not unlawful explain and provide an example
Answer:
ex. telling your children if you clean up you get new toys
Maya wrote a program and forgot to put the steps in the correct order. Which step does Maya need to review? Pattern following Planning Segmenting Sequencing
Answer:
Sequencing
Explanation:
Answer:
SEQUENCING
Explanation:
Which two phrases describe the necessary skills that animators and digital communications professionals most likely need to develop
The skills necessary for both Digital communication professionals and animators are selection of appropriate graphics and draw storyboards phrases describe the necessary skills that animators and digital communications professionals.
What exactly is a digital communicator?Individuals active in building and organizing a company's digital market are referred to as digital communication professionals.
Animators, on the other hand, are individuals who are responsible for framing and sequencing images in order to give the illusion of motion.
Both digital communication specialists and animators require the following skills:
Thus, The skills necessary for both Digital communication professionals and animators.
For more information about digital communicator, click here:
https://brainly.com/question/27797720
#SPJ1
Explain the three major Subassembly
of a computer Keyboard
The three major Subassembly of a computer Keyboard are as follows; alphabetical keys, function keys, and the numeric keypad.
What are the three major Subassembly of a computer Keyboard?The keyboard is divided into four components as; alphabetical keys, function keys, cursor keys, and the numeric keypad.
An Keyboard is an input Device used to enter characters and functions into the computer system by pressing buttons.
An Keyboard is a panel of keys that operate a computer or typewriter.
Additional special-purpose keys perform specialized functions.
The mouse is a pointing device used to input data.
The Input devices enable to input data and commands into the computer.
The three major Subassembly of a computer Keyboard are as follows; alphabetical keys, function keys, and the numeric keypad.
Learn more about the keybord here;
https://brainly.com/question/24921064
#SPJ2
Develop a program working as a soda vending machine. The program should show the product menu with price and take user input for product number, quantity and pay amount. The output should show the total sale price including tax and the change. Organize the program with 4 functions and call them in main() based on the requirements.
Answer:
Explanation:
The following vending machine program is written in Python. It creates various functions to checkItems, check cash, check stock, calculate refund etc. It calls all the necessary functions inside the main() function. The output can be seen in the attached picture below.
class Item:
def __init__(self, name, price, stock):
self.name = name
self.price = price
self.stock = stock
def updateStock(self, stock):
self.stock = stock
def buyFromStock(self):
if self.stock == 0:
# raise not item exception
pass
self.stock -= 1
class VendingMachine:
def __init__(self):
self.amount = 0
self.items = []
def addItem(self, item):
self.items.append(item)
def showItems(self):
print('Items in Vending Machine \n----------------')
for item in self.items:
if item.stock == 0:
self.items.remove(item)
for item in self.items:
print(item.name, item.price)
print('----------------\n')
def addCash(self, money):
self.amount = self.amount + money
def buyItem(self, item):
if self.amount < item.price:
print('You can\'t but this item. Insert more coins.')
else:
self.amount -= item.price
item.buyFromStock()
print('You chose ' +item.name)
print('Cash remaining: ' + str(self.amount))
def containsItem(self, wanted):
ret = False
for item in self.items:
if item.name == wanted:
ret = True
break
return ret
def getItem(self, wanted):
ret = None
for item in self.items:
if item.name == wanted:
ret = item
break
return ret
def insertAmountForItem(self, item):
price = item.price
while self.amount < price:
self.amount = self.amount + float(input('insert ' + str(price - self.amount) + ': '))
def calcRefund(self):
if self.amount > 0:
print(self.amount + " refunded.")
self.amount = 0
print('Thank you!\n')
def main():
machine = VendingMachine()
item1 = Item('Kit Kat', 1.5, 2)
item2 = Item('Potato Chips', 1.75, 1)
item3 = Item('Snickers', 2.0, 3)
item4 = Item('Gum', 0.50, 1)
item5 = Item('Doritos',0.75, 3)
machine.addItem(item1)
machine.addItem(item2)
machine.addItem(item3)
machine.addItem(item4)
machine.addItem(item5)
print('Welcome!\n----------------')
continueBuying = True
while continueBuying == True:
machine.showItems()
selected = input('select item: ')
if machine.containsItem(selected):
item = machine.getItem(selected)
machine.insertAmountForItem(item)
machine.buyItem(item)
a = input('buy something else? (y/n): ')
if a == 'n':
continueBuying = False
machine.calcRefund()
else:
continue
else:
print('Item not available. Select another item.')
continue
if __name__ == "__main__":
main()
What feature allows a person to key on the new lines without tapping the return or enter key
The feature that allows a person to key on new lines without tapping the return or enter key is called word wrap
How to determine the featureWhen the current line is full with text, word wrap automatically shifts the pointer to a new line, removing the need to manually press the return or enter key.
In apps like word processors, text editors, and messaging services, it makes sure that text flows naturally within the available space.
This function allows for continued typing without the interruption of line breaks, which is very helpful when writing large paragraphs or dealing with a little amount of screen space.
Learn more about word wrap at: https://brainly.com/question/26721412
#SPJ1
Luke is setting up a wireless network at home and is adding several devices to the network. During the setup of his printer, which uses 802.11g standard, he finds that he can't connect to the network. While troubleshooting the problem, he discovers that his printer is not compatible with the current wireless security protocol because it is an older version of hardware.
What wireless network security protocol can Luke implement on the WAP so that the printer can connect to his wireless network?
Answer:
WPA2
Explanation:
The best wireless network security protocol for Luke would be WPA2. This is the latest security protocol version which brings with it extra encryption for a more secure connection. Aside from this WPA2 is backwards compatible with devices made for WPA. Therefore, it makes WPA2 the best solution for connecting the printer wirelessly to the network since it allows for 802.11g standard connection, the same as the printer.
8. Imagine you have a closed hydraulic system of two unequal sized syringes
8.1 State how the syringes must be linked to obtain more force
8.2 State how the syringes must be linked to obtain less force
8.3 State when mechanical advantage of more than 1 (MA > 1) will be obtained in this system
8.4 State when mechanical advantage of less than 1 (MA < 1) will be obtained in this system
pls help asap!!!!
To increase force in a closed hydraulic system, connect the smaller syringe to the output load and the larger syringe to the input force for hydraulic pressure amplification.
What is the closed hydraulic systemConnect the larger syringe to the output load and the smaller syringe to the input force to reduce force in the closed hydraulic system.
MA > 1 is achieved when the output load is connected to the smaller syringe and the input force is applied to the larger syringe, due to the pressure difference caused by their varying cross-sectional areas.
MA <1 when output load connected to larger syringe, input force applied to smaller syringe. Pressure difference due to cross-sectional area, output load receives less force than input force.
Read more about closed hydraulic system here:
https://brainly.com/question/16184177
#SPJ1
What is the data flow?
Answer:
A data flow is a way of representing a flow of data through a process or a system
Give two example computer applications for which connection-oriented service is appropriate. Now give two examples for which connectionless service is best.
Answer:
File transfer, remote login, and video on demand need connection-oriented service.
Explanation:
I HOPE THIS HELPS
A connection-oriented service is a data transfer mechanism used at the session layer. Connectionless service is an in-data communication that is used to convey data at the OSI model's transport layer.
What is a connection-oriented service?A connection-oriented service is a data transfer mechanism used at the session layer. Unlike its opposite, connectionless service, connection-oriented service necessitates the establishment of a session connection between the sender and recipient, similar to a phone conversation. Although not all connection-oriented protocols are considered reliable, this method is generally thought to be more reliable than a connectionless service.
What is a connection-less service?Connectionless service is a notion in data communications that is used to convey data at the OSI model's transport layer (layer 4). It refers to data transmission between two nodes or terminals in which data is transferred from one node to the other without first confirming that the destination is accessible and ready to accept the data. There is no need for a session connection between the sender and the receiver; the sender just begins delivering data.
Telnet, rlogin, and FTP are examples of services that leverage connection-oriented transport services. And Connectionless services include User Datagram Protocol (UDP), Internet Protocol (IP), and Internet Control Message Protocol (ICMP).
Learn more about Connection-Oriented Services:
https://brainly.com/question/13151080
#SPJ2
You installed a
new browser on your work computer because you no
longer wish to use the default browser provided with the
operating system.When you run the new browser, an error
message appears stating that a user name and password are
required to configure the firewall and allow this program
to access the Internet.Why has this happened?
Answer:
Not the admin
Explanation:
I believe this has to do with the user profile not being the administrator's profile, its asking for you to put in that information to show that the administrator of the laptop is allowing for the program to run on the laptop
Procedurally a customer in any bank is required to get registered to a bank system whenever new application from the customer side is made. Such a registration would allow the customer to get service whenever the need arises. Abebe is customer of Bank X and it has been more than 6 months since Abebe has been registered, when he went to the one of the branches of Bank X after 6 months, the teller told Abebe that he needs to get registered to the system so that he could get the required service. However, further investigation of the problem revealed that Abebe is a registered customer of the bank but when data was captured, data about Abebe personal information was entered in a wrong manner. That’s why the Teller failed to provide the service. Based on the narration which specific information characteristics did suffer?
Based on the narration, the specific information characteristic that suffered is data accuracy. Data accuracy refers to the correctness and precision of the information captured and stored in a system. In this scenario, when Abebe went to the branch of Bank X after 6 months, the teller was unable to provide the required service because the data about Abebe's personal information was entered in a wrong manner during the registration process.
The incorrect entry of Abebe's personal information led to a discrepancy between the actual information and the recorded data in the bank's system. As a result, the teller was unable to retrieve accurate and up-to-date information about Abebe, leading to the mistaken assumption that he needed to get registered again.
Data accuracy is crucial in banking systems to ensure that customer information is correctly recorded and maintained. It helps in providing efficient and effective services, preventing errors, and ensuring the smooth functioning of customer interactions. In this case, the inaccurate data entry caused confusion and hindered the teller's ability to provide the required service to Abebe.
For more such questions on accuracy, click on:
https://brainly.com/question/24842282
#SPJ8
write a statement that retrieves the image stored at index 0 from an imagelist control named slideshowimagelist and displays it in a picturebox control named slideshowpicturebox.
The statement that retrieves the image stored at index 0 from an image list control named slideshowimagelist and displays it in a picturebox control named slideshowpicturebox are:
{
slideshowPictureBox.Image = slideShowImageList.Images [0];
}
What is picturebox?
The PictureBox control is used to display photos on a Windows Form. The PictureBox control provides an image property that allows the user to set the image at runtime or design time. It acts as a container control, uses memory to hold the picture, and allows for image manipulation in the picture box. It also has an auto size property but no stretch feature.
To learn more about picturebox
https://brainly.com/question/27064099
#SPJ4
Suppose we define a WaitlistEntry as follows:
typedef struct{
int iPriority; /* Priority of the student to be enrolled */
int iStudentID; /* ID of the student */
}
WaitlistEntry;
Below are different implements of a function to create a WaitlistEntry from given iPriority and iStudentID data. Some of these implementations are flawed. Identify them and describe what is wrong with them briefly:
WaitlistEntry createWL( int iPriority, int iStudentlD )
WaitlistEntry w,
w.iPriority iPriority;
w.iStudentlD iStudentlD;
return w;
a. correct
b. incorrect, leaks memory
c. incorrect, syntax error
d. incorrect, data will be overwritten by next function call
Answer:
You have syntax errors, but I don't know if it happened when you posted this question, nevertheless
Explanation:
Correct code:
WaitlistEntry createWL( int iPriority, int iStudentID ) { // Opening Brace
WaitlistEntry w; // Should be ; not ,
w.iPriority = iPriority; // Assign Missing
w.iStudentID = iStudentID; // Assign Missing
return w;
} // Closing Brace
// Also note: iStudentID this actually has an 'l' which is LD. Not ID, this is why I assume these errors happened when posting the question.
Which statement describes an advantage of DevOps
The correct statement that describes an advantage of DevOps is that It enables the capability to continuously release software with high confidence.
What are the advantages of DevOps?Teams who are known to fully uses DevOps practices are known to be one that often functions more smarter and also more faster, and they tend to deliver a good and better quality to their customers.
Note that there is an increased use of automation and also that of cross-functional collaboration that tends to lower complexity and errors.
Hence, The correct statement that describes an advantage of DevOps is that It enables the capability to continuously release software with high confidence.
See options below
A) It allows for a slower and more reasonable time frame for making fixes in production mode.
B) It enables the capability to continuously release software with high confidence.
C) It promotes individual efforts for both development and operations.
D) It provides a clear separation between application methods and infrastructure methods.
E) None of these
Learn more about DevOps from
https://brainly.com/question/24306632
#SPJ1
What is the best use of network in homes
Answer:
Spectrem
Explanation:
You use a word processor to create and save a text-based document on your computer. What does the text in your document represent? Question 15 options: 1) data 2) hardware 3) operating system 4) application
Since you use a word processor to create and save a text-based document on your computer. The text in your document represent: 1) data.
What is the word processor?The term Data is known to be one that connote a form of raw facts, figures, as well as symbols that are placed to a computer for processing.
Note that In this case, the text that is said to be formed via the use of a word processor is the raw data that is known to being input to the computer.
Therefore, The word processor application is one that tends to processes this data to make the final document that a person can be able to be saved on the computer's storage device.
Learn more about word processor from
https://brainly.com/question/985406
#SPJ1
Describe the importance of the human interaction in the computing system your class created
Answer:
The goal of HCI is to improve the interaction between users and computers by making computers more user-friendly and receptive to the user's needs
Explanation:
Human-computer interaction (HCI) is a multidisciplinary subject that focuses on computer design and user experience. It brings together expertise from computer science, cognitive psychology, behavioural science, and design to understand and facilitate better interactions between users and machines.
Human interaction is crucial in the computing system created by your class because it determines the system's usability and effectiveness in meeting user needs and goals.
What is a computing system?
A computing system refers to a collection of hardware and software components that work together to process and manage data.
What is a class?
In programming, a class is a blueprint for creating objects that define a set of properties and methods.
To know more about hardware and software, visit:
https://brainly.com/question/15232088
#SPJ1
Read the following Python code:
pets = 2
binaryPets = bin(pets)
print(binaryPets)
Which of the following is the correct output? (5 points)
0b10
0d10
0p10
0x10
The correct output for the given Python code would be option A: 0b10.
What is the Python code?The value 2 is assigned to the variable named "pets" in the provided Python code. Afterwards, the decimal value of pets (2) is transformed into binary format through the utilization of the bin() function. The function bin() produces a binary value in string form, and adds the prefix "0b" to indicate this.
Thus, the result displayed for binaryPets upon printing will be 0b10. Indicating that a value is in binary format is done by adding the prefix '0b'. In binary, the decimal value 2 is represented by 10.
Learn more about Python code from
https://brainly.com/question/26497128
#SPJ1
Discuss the Von-Neumann CPU architecture?
The Von Neumann architecture is a traditional CPU design named after John von Neumann and widely implemented since the mid-20th century.
What is the Von-Neumann CPU architecture?Basis for modern computers, including PCs, servers, and smartphones. Von Neumann architecture includes components for executing instructions and processing data. CPU is the core of Von Neumann architecture.
It manages operations, execution, and data flow in the system. Von Neumann architecture stores both program instructions and data in a single memory unit. Memory is organized linearly with each location having a unique address. Instructions and data are stored and retrieved from memory while a program runs.
Learn more about Von-Neumann CPU architecture from
https://brainly.com/question/29590835
#SPJ1
The breastbone or ________________ extends down the chest.
Answer:
The sternum or breastbone is a long flat bone located in the central part of the chest.
The sternum or breastbone is a long flat bone located in the central part of the chest.
In the middle of the chest, there is a long, flat bone known as the sternum or breastbone. It forms the front of the rib cage and is joined to the ribs by cartilage, assisting in the protection of the heart, lungs, and major blood arteries from harm. It is one of the longest and largest flat bones in the body, somewhat resembling a necktie. The manubrium, body, and xiphoid process are its three regions.
Therefore, the sternum or breastbone is a long flat bone located in the central part of the chest.
Learn more about the breastbone here:
https://brainly.com/question/32917871.
#SPJ2
What are the benefits of using LinkedIn Sales Navigator?
Answer:
Well, there are a number of advantages that come with this advanced LinkedIn automation tool. Here are some of the top benefits of a Sales Navigator:
1. Can find and export up to 5000 prospects at a time.
2. Enables you to send 30 InMails per month
3. Easy access Teamlink -enabling you to expand your network by pooling connections
4. Integrate with existing systems
When you need to switch on an electrical current at a remote location, would you use a relay or an amplifier?
Answer:
Relay
Explanation:
They both perform similar functions in terms of control of voltage and current but the relay would be better because although it cannot produce a variable output like that of an amplifier, it has the capacity to isolate its input from its output.
14.........is an input device, works
more like a photocopy
machine.
A. Scanner
B. Joystick
C. Stylus
D. Plotter
Answer:
A. Scanner
Explanation:
This ia right
Machine learning enables you to give
instructions to a computer by programming it
with examples. Humans provide the necessary
input for the computer's learning and
improvement. True or false?
A True
B) False
Answer:
its true brooooooooooooooooooo
Use the drop-down menus to complete statements about how to use the database documenter
options for 2: Home crate external data database tools
options for 3: reports analyze relationships documentation
options for 5: end finish ok run
To use the database documenter, follow these steps -
2: Select "Database Tools" from the dropdown menu.3: Choose "Analyze" from the dropdown menu.5: Click on "OK" to run the documenter and generate the desired reports and documentation.How is this so?This is the suggested sequence of steps to use the database documenter based on the given options.
By selecting "Database Tools" (2), choosing "Analyze" (3), and clicking on "OK" (5), you can initiate the documenter and generate the desired reports and documentation. Following these steps will help you utilize the database documenter effectively and efficiently.
Learn more about database documenter at:
https://brainly.com/question/31450253
#SPJ1
website is a collection of (a)audio files(b) image files (c) video files (d)HTML files
Website is a collection of (b) image files (c) video files and (d)HTML files
What is websiteMany websites feature a variety of pictures to improve aesthetic appeal and provide visual substance. The formats available for these image files may include JPEG, PNG, GIF, or SVG.
To enhance user engagement, websites can also introduce video content in their files. Web pages have the capability to display video files either by embedding them or by providing links, thereby enabling viewers to watch videos without leaving the site. Various formats such as MP4, AVI and WebM can be utilized for video files.
Learn more about website from
https://brainly.com/question/28431103
#SPJ1
is an electronics standard that allows different kinds of electronic instruments to
communicate with each other and with computers.
Explanation:
MIDI is an acronym that stands for Musical Instrument Digital Interface. It is a standard protocol that helps to connects musical instruments with computers and several hardware devices to communicate. It was invented in the 80's as a way to standardize digital music hardwares.
IF IT HELPED U MARK ME AS A BRAIN LIST