Answer:
Computers are used to perform several industrial tasks. They are used to design products, control manufacturing processes, control inventory, manage projects, and so on. Computers are used to control and manage different manufacturing systems and continuous running of the industry.
What is the explanation of line 21-25
Answer:
The code is checking if a word in the word list matches a certain length and the first letter matches a certain letter... the for loop is what increments through the word list checking each word one by one for the specified conditions. If the word meets the conditions it is added to an array called filteredWordList.
Explanation:
I just need some help working out this Java code! I can list the instructions below:
Modify the CountSpaces program so that contains a String that holds your favorite inspirational quote. Pass the quote to the calculateSpaces method and return the number of spaces to be displayed in the main method.
We're given this to start however I have been struggling as there are two classes and it's been confusing me. Thanks so much for any help! All good and God Bless!
public class CountSpaces
{
public static void main(String[] args)
{
// write your code here
}
public static int calculateSpaces(String inString)
{
// write your code here
}
}
Answer:
public class CountSpaces
{
public static void main(String[] args)
{
String quote = "The concept of infinity is meaningless inside of an insane human mind.";
int nrSpaces = calculateSpaces(quote);
System.out.println("Nr spaces in your quote is " + nrSpaces);
}
public static int calculateSpaces(String inString)
{
int count = 0;
for (int i = 0; i < inString.length(); i++) {
if (inString.charAt(i) == ' ') {
count++;
}
}
return count;
}
}
Explanation:
In this example there is only one class, and since all methods are static the true concept of the class is not even being used.
One of the following is NOT a type of Intellectual Property
Group of answer choices.
a) Copyright
b) Trademark
c) Trade Secrets
d) Privacy
Answer:
d) Privacy
Explanation:
An intellectual property can be defined as an intangible and innovative creation of the mind that solely depends on human intellect.
Simply stated, an intellectual property is an intangible creation of the human mind, ideas, thoughts or intelligence. They include intellectual and artistic creations such as name, symbol, literary work, songs, graphic design, computer codes, inventions, etc.
Generally, there are different types of intellectual property (IP) and this includes;
a) Copyright
b) Trademark
c) Trade Secrets
However, privacy is a type of intellectual property.
of the following potential benefits, which is LEAST likely to be provided by the upgraded system?
A Human representatives will not be needed to respond to some inquiries.
B
The company will be able to provide a human representative for any incoming call.
с
Customers are likely to spend less time listening to information not relevant to their issue.
D
Customers will be unable to mistakenly select the incorrect department for their particular issue.
Answer:
The company will be able to provide human representative for any incoming call
Explanation:
The upgrade of a system is meant to resolve identified issues in an initial system and given that the available human representative is usually less than the number of incoming call at a given time, due to a constant drive for a larger customer base, we have;
The upgraded system will provide technologies such that human representative will not be required for some inquiries, customers will listen to mainly relevant information with regards to their issues and customers will be properly directed to the correct department that are concerned with their current issue
Therefore, the LEAST likely goal of the upgraded system from among the options and therefore the least likely to be provided by the upgrade is the company will be able to provide human representative for any incoming call
a. a large central network that connects other networks in a distance spanning exactly 5 miles. b. a group of personal computers or terminals located in the same general area and connected by a common cable (communication circuit) so they can exchange information such as a set of rooms, a single building, or a set of well-connected buildings. c. a network spanning a geographical area that usually encompasses a city or county area (3 to 30 miles). d. a network spanning a large geographical area (up to 1000s of miles). e. a network spanning exactly 10 miles with common carrier circuits.
Complete Question:
A local area network is:
Answer:
b. a group of personal computers or terminals located in the same general area and connected by a common cable (communication circuit) so they can exchange information such as a set of rooms, a single building, or a set of well-connected buildings.
Explanation:
A local area network (LAN) refers to a group of personal computers (PCs) or terminals that are located within the same general area and connected by a common network cable (communication circuit), so that they can exchange information from one node of the network to another. A local area network (LAN) is typically used in small or limited areas such as a set of rooms, a single building, school, hospital, or a set of well-connected buildings.
Generally, some of the network devices or equipments used in a local area network (LAN) are an access point, personal computers, a switch, a router, printer, etc.
In today's digital world, companies have created software that makes business communication and productivity more efficient and effective. Explain why it is important for you to know how to use business communication tools such as the Microsoft Office Suite (i.e., Word, PowerPoint, Excel, etc.).
Include examples of some scenarios you faced or may face in the future (as both a student and in your career) that will require you to use these business communication tools.
300 + words
Answer:
Business communications tools are widely used and the world is becoming increasingly digital so not having those skills will hinder you.
Explanation:
Many jobs require knowledge of Microsoft tools as a qualification. By not having that expertise, I will be viewed as less qualified for a position and may be passed up for job. In corporate America, presentations are a staple and Microsoft PowerPoint is the primary software. If I deliver a poor presentation due to inexperience, I will make myself look bad and as a result get a bad quarterly review and possibly stunted any future promotions. On the flipside, as a business owner Excel is a handy tool for tracking expenses. Very customizable, quick and easy to understand.
. Create a java File call Sales.Java contains a Java program that prompts for reads in the sales for each of 5 salespeople in a company. It then prints out the id and amount of sales for each salesperson and the total sale. 2. Compute and print the average sale. 3. Find and print the maximum and minimum sale. 4. After the list, sum, average, max and min have been printed, ask the user to enter a value. Then print the id of each salesperson who exceeded that amount, and the amount of their sales. Also print the total number of salespeople whose sales exceeded the value entered. 5. Instead of always reading in 5 sales amounts, in the beginning ask the user for the number of sales people and then create an array that is just the right size. The program can then proceed as before
Answer:
The program is as follows:
import java.util.*;
public class Sales{
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
int salesPeople;
System.out.print("Number of Sales People: ");
salesPeople = input.nextInt();
int[] salesID = new int[salesPeople];
float[] salesAmount = new float[salesPeople];
float total = 0;
for(int i = 0; i<salesPeople;i++){
System.out.print("ID: "); salesID[i] = input.nextInt();
System.out.print("Amount: "); salesAmount[i] = input.nextFloat();
total+=salesAmount[i]; }
System.out.println("ID\t\tAmount");
for(int i = 0; i<salesPeople;i++){
System.out.println(salesID[i]+"\t\t"+salesAmount[i]); }
System.out.println("Total Sales: "+total);
System.out.println("Average Sales: "+total/salesPeople);
Arrays.sort(salesAmount);
System.out.println("Minimum Sales: "+salesAmount[0]);
System.out.println("Maximum Sales: "+salesAmount[salesPeople-1]);
float sales;
System.out.print("Print records that exceed: "); sales = input.nextFloat();
System.out.println("\nID\t\tAmount");
int count = 0;
for(int i = 0; i<salesPeople;i++){
if(salesAmount[i]>sales){
System.out.println(salesID[i]+"\t\t"+salesAmount[i]);
count++; } }
System.out.print("Total sales records that exceed "+sales+" are: "+count);
}
}
Explanation:
See attachment for program source file where comments are used as explanation
In cell L2, enter a formula using the IF and AND functions, as well as structured references to determine if Adam Moriarty can be a bunk leader. a. The logical test in the IF function should determine if the staff member’s Service Years is greater than 4 AND the staff member’s Leadership Training status is "Yes". Remember to use a structured reference to the Service Years and the Leadership Training columns. b. The function should return the text Yes if a staff member meets both of those criteria. c. The function should return the text No if a staff member meets none or only one of those criteria.
Answer:
Enter the following formula in L2
=IF(AND([Service Year]>4,[Leadership Training]="Yes"),"Yes","No")
Explanation:
Analyzing the formula:
[tex]= \to[/tex] Begin the formula with an equal to sign
IF [tex]\to[/tex] This indicates that the formula uses an "IF" function
AND [tex]\to[/tex] This indicates that there are at least 2 conditions in the function; all of which must be true for the function to return true.
The conditions in the formula are:
[Service Year]>4; and [Leadership Training]="Yes"
Notice that the column names (service year and leadership training) are called and not the cell names (e.g. K2); this is what is referred to as structured referencing.
Having said that, both conditions must be true for the function to return true (because we use the AND clause to join both functions)
The possible results in the formula are:
"Yes","No"
If both conditions are true, then the value of L2 will be "Yes"
If otherwise, then the value of L2 will be "No"
Using computers can cause problems for the health and safety of users. Name three
health issues and causes associated with your use of computers. For each issue describe a way
of minimizing the risk. *
Answer:
Muscles
Obesity
Muscle and joint problems
Which is a true statement about automation?
A)human intervention is needed to control all sequences of operations of a task.
B)human intervention is not needed at anytime in initiating or controlling sequences of operations.
C)using computer to control sequences of operations without human intervention.
D)computers are not needed to initiate or control any sequence of operations of a task.
Answer:
im guessing its a?
Explanation:
an_is a sepuence of precise instructions which result in a solution
Answer:
algorithm.
Explanation:
An algorithm can be defined as a standard formula or procedures which comprises of set of finite steps or instructions for solving a problem on a computer. The time complexity is a measure of the amount of time required by an algorithm to run till its completion of the task with respect to the length of the input.
Furthermore, the processing symbols and their functions used in developing an algorithm are oval (start or stop), diamond (decision-making), circle (on-page connector), parallelogram (input and output), rectangle (calculation), arrow (flow or direction) and pentagon (off-page connector).
Some of the characteristics of an algorithm include the following;
I. An algorithm can be written using pseudocode. A pseudocode refers to the description of the steps contained in an algorithm using a plain or natural language.
II. An algorithm can be visualized using flowcharts. A flowchart can be defined as a graphical representation of an algorithm for a process or workflow.
In conclusion, an algorithm is a sequence of precise instructions which result in a solution for solving problems using a computer system.
In what way, if any, are scripting languages different from markup languages?
A) Markup languages tell the computer what content to present, while scripting languages make things run faster.
B) Markup languages tell a single computer what to do, while scripting languages help computers communicate with each other.
C) Scripting languages tell the computer what content to present, while markup languages make things run faster.
D) Scripting languages tell a single computer what to do, while markup languages help computers communicate with each other.
Answer:
Markup languages tell the computer what content to present, while scripting languages make things run faster. A
Answer:
It's most likely A in edge.
Explanation:
My father works in IT, and I am taking a Fundamentals of Dig. Media class. If I remember correctly, the lesson for markup languages said that markup is used for online documents, like Wiki for example. Thus, I believe it is A.
A ____ is an icon that does not directly represent a file, folder or application but serves as a link to it?
Answer:
Shortcut
Explanation:
A file can be defined as a computer resource that avails end users the ability to store or record data as a single unit on a computer storage device.
Generally, all files are identified by a name, icon, size, and type (format) such as audio, image, video, document, system, text, etc.
Furthermore, files are organized or arranged in directories. These directories are paths that describes the location wherein a file is stored on a computer system.
A software can be defined as a set of executable instructions (codes) or collection of data that is used typically to instruct a computer on how to perform a specific task and solve a particular problem. Thus, it's a computer program or application that comprises of sets of code for performing specific tasks on the system.
In Computer science, it's possible to create a shortcut in several directories (locations) on a computer, so as to reference a file, folder or software application and serve as an executable link.
Hence, a shortcut is an icon that does not directly represent a file, folder or application but serves as a link to it.
Additionally, deleting the shortcut of a data file, folder or software application would not permanently delete or uninstall the main data file respectively.
Realiza una tabla acerca de los escenarios de usos más comunes de Excel.
Answer:
Microsoft Excel es una hoja de cálculo producida por Microsoft. La aplicación es ampliamente utilizada en empresas e instituciones, así como por usuarios domésticos. Su uso principal es realizar cálculos (por ejemplo, gastos) compilados en forma tabular. Para este uso, se aplican numerosas funciones matemáticas, financieras y de base de datos disponibles en el programa. La duplicación semiautomática de las fórmulas creadas con el uso de diferentes variantes de direccionamiento (direccionamiento relativo, direccionamiento absoluto, direccionamiento mixto) también es de gran importancia. Microsoft Excel también se utiliza para crear muchos tipos de gráficos, útiles, entre otros, en física, matemáticas y economía. También incluye un sistema para la elaboración de informes utilizando el llamado tablas dinámicas, utilizadas en la realización de análisis comerciales.
Programming Exercise 11 in Chapter 8 explains how to add large integers using arrays. However, in that exercise, the program could add only integers of, at most, 20 digits. This chapter explains how to work with dynamic integers. Design a class named largeIntegers such that an object of this class can store an integer of any number of digits. Add operations to add, subtract, multiply, and compare integers stored in two objects. Also add constructors to properly initialize objects and functions to set, retrieve, and print the values of objects. Write a program to test your class.
Answer:
Explanation:
The following is written in Java. It creates a class called largeIntegers that creates objects of the built-in BigInteger class to handle operations on very large numbers. The class contains the add, subtract, multiply, compare, toString methods as well as the getter and setter method for the BigInteger. A test class has been provided and the output can be seen in the attached picture below where two numbers are created and added together. Due to technical difficulties, I have added the code as a txt file below.
Ana is a music lover. She loves to download songs and videos on her computer every time she hears a new song. One day, her computers started to malfunction, and all her files were no longer accessible. What do you think happened to Ana’s computer and what can you do to avoid the same problem
answer pleasssseeee
Answer:
Storage outage
As many new songs are released to the Internet every day, Anna might have download thousands of them, which made her computer ran out of storage and RAM(random access memory )
Which area of Xcode provides controls to navigate breakpoints? CORRECT
Answer:
see your answer with full detail in pdf file please download
mark me brainlist
describe what impact your personal vision could have your community or on society
My personal vision will have a positive impact on my community by solving the problems around my community and my society at large.
What is a personal vision?A personal vision is a written description of your goals, strengths, and ambitions. It could perhaps be oriented towards one's long-term aspirations and could be focused on life or career goals.
As an educationist, my vision, persistence, and determination to study stem from a desire to excel in my work as an educator, as well as to inspire and serve as a role model for my community and the world at large.
Growing up in a typical setting taught me about the effects of educational reform on livelihood, economics, environment, and human existence. I learned as a youngster the bad consequences of not being educated and being illiterate owing to the fact that people cannot just afford the high cost of learning.
Since then, I've dedicated my life to educating the public and teaching students in my community and society as a whole. My vision is to raise awareness of the negative consequences of illiteracy in our society and to promote action to combat it by giving free education to students and the general public.
Learn more about vision here:
https://brainly.com/question/4269555
SPJ2
Nyatakan dua maklumat yang perlu dilabelkan pada lakaran perkembangan idea.
1.______________________________________________.
2._____________________________________________.
Answer:
i don't understand a thing
Kiko loves to surf the internet and check on different websites. One day he received an email from unknown source. When he opens it, he was directed to a site and logged using his credit card number. After a few days,he learned that his card was use by someone in purchasing an expensive item. What internet threat did Kiko experience and what can you do to avoid it.
He experienced phishing
Phishing is a method of trying to gather personal information using deceptive e-mails and websites.
Here are some measures to avoid phishing. You can pick up the one you liked the most
Always check the spelling of the URLs in email links before you click or enter sensitive informationWatch out for URL redirects, where you're subtly sent to a different website with identical designIf you receive an email from a source you know but it seems suspicious, contact that source with a new email, rather than just hitting reply. Don't post personal data, like your birthday, vacation plans, or your address or phone number, publicly on social mediaWhat is the cpu used for
Answer:
A central processing unit (CPU), also called a central processor, main processor or just processor, is the electronic circuitry that executes instructions comprising a computer program. The CPU performs basic arithmetic, logic, controlling, and input/output (I/O) operations specified by the instructions in the program.
Select the three reasons that the gaming industry is set to grow.
A) more colleges offering jobs in game design
B) a decrease in the average age of gamers
C) an expanding market on mobile phones
D) expanding markets in Asia
E) new accessories that will attract more players
Answer:
expanding markets in Asia, new accessories that will attract more players, an expanding market on mobile phones
Explanation:
You are a network administrator for your company. The network consists of a single Active Directory domain. All servers run Windows Server 2016. Windows Server Update Services (WSUS) is installed on two servers, SERVERA and SERVERB. SERVERA receives software updates from Microsoft Windows Update servers. You manually synchronized SERVERB with the Windows Update servers, and now you need to complete the WSUS configuration on SERVERB. Which of the following is not a step you might take to complete the configuration of WSUS on SERVERB?
A. Approve the current updates.
B. Set SERVERB to receive updates from SERVERA and automatically synchronize with approved updates on SERVERA.
C. Set SERVERB to draw updates automatically from whichever sources SERVERA is set to draw from.
D. Set SERVERB to receive daily updates automatically at a given time
Answer:
The answer is "Choice C"
Explanation:
The server is a computer or network which supplies other devices called clients through a net with resources, data or applications, or programs. Source Server allows a client can retrieve the cells are attached to the source code for a program. All required source control files were retrieved by the source server. Its app must've been indexed to source in enabled to use source server.
what is an operating system
Answer:
An operating system is the primary software that manages all the hardware and other software on a computer. The operating system, also known as an “OS,” interfaces with the computer’s hardware and provides services that applications can use.
iii. Write the pseudocode for a program to take two integer inputs and the operator from user and
display the answers of four basic arithmetic operations ( +- */).
Answer:
The pseudocode is as follows:
Input num1, num2
input operator
print num1 + num2
print num1 - num2
print num1 * num2
if num2 != 0
print num1 / num2
else
print "Cannot divide by 0"
Explanation:
This gets input for both numbers
Input num1, num2
This gets input for the operator
input operator
This prints the sum
print num1 + num2
This prints the difference
print num1 - num2
This prints the product
print num1 * num2
This prints the division if the divisor is not 0
if num2 != 0
print num1 / num2
else
print "Cannot divide by 0"
After a business transaction has been analyzed, which of the following must occur for the analysis to have been done correctly?
A. Equity must equal the difference between assets and liabilities.
B. Equity must be greater than the sum of assets and liabilities.
C. Equity must be greater than the difference between assets and liabilities.
D. Equity must equal the sum of assets and liabilities.
Answer:
A. Equity must equal the difference between assets and liabilities.
Explanation:
Assets are things a company or business owns while liabilities are things person or company owes.
Thus, Equity is the difference between the assets and the liabilities.
So, option A which is Equity must equal the difference between assets and liabilities is the answer.
which of the following is the best example of an installation issue
Answer:
A user made an error while trying to set up a software program.
Answer:
A computer can't find the file that it needs to perform an operating system function. A computer displays error messages, and then the Blue Screen of Death appears. A user made an error while trying to set up a software program.
Explanation:
What do you call a commercial transaction beyween a buisness and buisness thatis transactedd online?
A.B2B - commerce
B.B2.B commerce
C. B2b digital transaction
D.B2B e - commerce
E. Non of the above
Answer:
c.B2b digital transaction
Explanation:
yan lang po sana makatulong
Hadoop is : open source software framework designed for distributing data-processing over inexpensive computers. data mining platform designed for storing and analyzing big data produced by web communications and transactions. high-speed platform used to analyze large data sets pre-configured hardware-software system designed for analyzing big data. NoSQL database technology that stores both data and procedures acting on the data as object
Answer: open-source software framework designed for distributing data-processing over inexpensive computers.
Explanation:
Hadoop refers to the collection of open-source software utilities which are important in facilitating the use of a network of several computers to solve big data.
It provides huge storage for different kinds of data, and the ability to handle concurrent tasks virtually. Therefore, the correct option is "open-source software framework designed for distributing data-processing over inexpensive computers".
Isa wants to find out if his co-worker Alexis is available for an event on Wednesday, February 10th. Which calendar
view should he use?
O Schedule View
O Day View
O Week View
O Appointment View
Please help ASAP!!!!!!!!!!!