Cost variance and schedule variance are used to determine how much a project is over or under budget and schedule, respectively. Cost performance index and schedule performance index are used to determine the efficiency of a project in terms of cost and schedule, respectively.
Cost Variance (CV) is the difference between the planned cost and the actual cost of a project. It is calculated as CV = Earned Value (EV) - Actual Cost (AC).
Schedule Variance (SV) is the difference between the planned schedule and the actual schedule of a project. It is calculated as SV = Earned Value (EV) - Planned Value (PV).
Cost Performance Index (CPI) is a measure of the cost efficiency of a project. It is calculated as CPI = Earned Value (EV) / Actual Cost (AC).
Schedule Performance Index (SPI) is a measure of the schedule efficiency of a project. It is calculated as SPI = Earned Value (EV) / Planned Value (PV).
In summary, cost variance and schedule variance are used to determine how much a project is over or under budget and schedule, respectively. Cost performance index and schedule performance index are used to determine the efficiency of a project in terms of cost and schedule, respectively.
Learn more about Variance
brainly.com/question/14116780
#SPJ11
Find solutions for your homework
engineering
computer science
computer science questions and answers
this is python and please follow the code i gave to you. please do not change any code just fill the code up. start at ### start your code ### and end by ### end your code ### introduction: get codes from the tree obtain the huffman codes for each character in the leaf nodes of the merged tree. the returned codes are stored in a dict object codes, whose key
Question: This Is Python And Please Follow The Code I Gave To You. Please Do Not Change Any Code Just Fill The Code Up. Start At ### START YOUR CODE ### And End By ### END YOUR CODE ### Introduction: Get Codes From The Tree Obtain The Huffman Codes For Each Character In The Leaf Nodes Of The Merged Tree. The Returned Codes Are Stored In A Dict Object Codes, Whose Key
This is python and please follow the code I gave to you. Please do not change any code just fill the code up. Start at ### START YOUR CODE ### and end by ### END YOUR CODE ###
Introduction: Get codes from the tree
Obtain the Huffman codes for each character in the leaf nodes of the merged tree. The returned codes are stored in a dict object codes, whose key (str) and value (str) are the character and code, respectively.
make_codes_helper() is a recursive function that takes a tree node, codes, and current_code as inputs. current_code is a str object that records the code for the current node (which can be an internal node). The function needs be called on the left child and right child nodes recursively. For the left child call, current_code needs increment by appending a "0", because this is what the left branch means; and append an "1" for the right child call.
CODE:
import heapq
from collections import Counter
def make_codes(tree):
codes = {}
### START YOUR CODE ###
root = None # Get the root node
current_code = None # Initialize the current code
make_codes_helper(None, None, None) # initial call on the root node
### END YOUR CODE ###
return codes
def make_codes_helper(node, codes, current_code):
if(node == None):
### START YOUR CODE ###
pass # What should you return if the node is empty?
### END YOUR CODE ###
if(node.char != None):
### START YOUR CODE ###
pass # For leaf node, copy the current code to the correct position in codes
### END YOUR CODE ###
### START YOUR CODE ###
pass # Make a recursive call to the left child node, with the updated current code
pass # Make a recursive call to the right child node, with the updated current code
### END YOUR CODE ###
def print_codes(codes):
codes_sorted = sorted([(k, v) for k, v in codes.items()], key = lambda x: len(x[1]))
for k, v in codes_sorted:
print(f'"{k}" -> {v}')
Test code:
# Do not change the test code here
sample_text = 'No, it is a word. What matters is the connection the word implies.'
freq = create_frequency_dict(sample_text)
tree = create_tree(freq)
merge_nodes(tree)
codes = make_codes(tree)
print('Example 1:')
print_codes(codes)
print()
freq2 = {'a': 45, 'b': 13, 'c': 12, 'd': 16, 'e': 9, 'f': 5}
tree2 = create_tree(freq2)
merge_nodes(tree2)
code2 = make_codes(tree2)
print('Example 2:')
print_codes(code2)
Expected output
Example 1:
"i" -> 001
"t" -> 010
" " -> 111
"h" -> 0000
"n" -> 0001
"s" -> 0111
"e" -> 1011
"o" -> 1100
"l" -> 01100
"m" -> 01101
"w" -> 10000
"c" -> 10001
"d" -> 10010
"." -> 10100
"r" -> 11010
"a" -> 11011
"N" -> 100110
"," -> 100111
"W" -> 101010
"p" -> 101011
Example 2:
"a" -> 0
"c" -> 100
"b" -> 101
"d" -> 111
"f" -> 1100
"e" -> 1101
Get codes from the treeObtain the Huffman codes for each character in the leaf nodes of the merged tree.
The returned codes are stored in a dict object codes, whose key (str) and value (str) are the character and code, respectively. make_codes_helper() is a recursive function that takes a tree node, codes, and current_code as inputs. current_code is a str object that records the code for the current node (which can be an internal node). The function needs be called on the left child and right child nodes recursively. For the left child call, current_code needs increment by appending a "0", because this is what the left branch means; and append an "1" for the right child call.CODE:import heapq
from collections import Counter
def make_codes(tree):
codes = {}
### START YOUR CODE ###
root = tree[0] # Get the root node
current_code = '' # Initialize the current code
make_codes_helper(root, codes, current_code) # initial call on the root node
### END YOUR CODE ###
return codes
def make_codes_helper(node, codes, current_code):
if(node == None):
### START YOUR CODE ###
return None # What should you return if the node is empty?
### END YOUR CODE ###
if(node.char != None):
### START YOUR CODE ###
codes[node.char] = current_code # For leaf node, copy the current code to the correct position in codes
### END YOUR CODE ###
### START YOUR CODE ###
make_codes_helper(node.left, codes, current_code+'0') # Make a recursive call to the left child node, with the updated current code
make_codes_helper(node.right, codes, current_code+'1') # Make a recursive call to the right child node, with the updated current code
### END YOUR CODE ###
def print_codes(codes):
codes_sorted = sorted([(k, v) for k, v in codes.items()], key = lambda x: len(x[1]))
for k, v in codes_sorted:
print(f'"{k}" -> {v}')
Test code:
# Do not change the test code here
sample_text = 'No, it is a word. What matters is the connection the word implies.'
freq = create_frequency_dict(sample_text)
tree = create_tree(freq)
merge_nodes(tree)
codes = make_codes(tree)
print('Example 1:')
print_codes(codes)
print()
freq2 = {'a': 45, 'b': 13, 'c': 12, 'd': 16, 'e': 9, 'f': 5}
tree2 = create_tree(freq2)
merge_nodes(tree2)
code2 = make_codes(tree2)
print('Example 2:')
print_codes(code2)
To know more about Huffman codes visit:
https://brainly.com/question/31323524
#SPJ11
using a pointer to find the value of a variable is called . group of answer choices a. pointer arithmetic b. tracing a pointer c. indirect addressing d. tracing a value
Using a pointer to find the value of a variable is called C: indirect addressing.
Indirect addressing is a technique in computer programming where a memory address is accessed via an intermediate value, usually a pointer. In this case, the pointer is used to store the memory address of the variable, and the value of the variable can be accessed indirectly by using the pointer to look up the memory address and retrieve the value stored there.
Pointer arithmetic refers to the arithmetic operations that can be performed on pointers, such as adding or subtracting an offset to the pointer value. Tracing a pointer refers to the process of following the pointer to locate the memory address it references. Tracing a value is not a term typically used in the context of pointer operations.
You can learn more about indirect addressing at
https://brainly.com/question/28249993
#SPJ11
what is an email account
Answer:
an email account acts as a virtual address for email messages
Where in your document does the Head belong? What kind of data goes into this section?
Answer:
Explanation:
✨✨✨
Please
use a mock SOP chase plan and Cplex to solve for the optimal
solution. What would be the constraints?
Using the Chase plan below
a) Use a mathematical model to find an optimal SOP plan. In your model also consider that the existing warehouse space is limited and can hold no more than 500 units at any given time. b) If you are p
A Chase Plan involves adjusting production to meet demand, maintaining a lean inventory.
When optimizing a Sales and Operations Plan (SOP) with a Chase strategy using Cplex, constraints would include demand satisfaction, production capacities, and warehouse space limits.
An optimal Chase SOP plan can be modeled using mathematical programming. In this model, constraints would consider production capability, warehouse capacity, and demand satisfaction. For instance, in each period, production plus starting inventory must meet demand and not exceed warehouse capacity. Also, ending inventory shouldn't exceed 500 units, in adherence to warehouse limits.
Learn more about supply chain optimization here:
https://brainly.com/question/31284906
#SPJ11
What invention was created to try to enforce copyright protection on digital products
What invention was created to try to enforce copyright protection on digital products?
Digital Rights Management (DRM) systems
Digital rights management (DRM) is a set of access control technologies for restricting the use of proprietary hardware and copyrighted works. "Pay-per-use" policies were meant to prevent intellectual property from being copied freely, just as physical locks are needed to prevent personal property from being stolen.
PLS HELP WITH MY PYTHON HW ILL GIVE YOU BRAINLIEST
Answer:
class Cat:
isHungry = None
play = Cat().isHungry = True
eat = Cat().isHungry = False
if play:
print("I am hungry, I cannot play")
else:
play = Cat().isHungry = False
if eat:
print("I am full, I cannot eat")
else:
eat = Cat().isHungry = True
Explanation:
Just simple if and else statements.
Plant Roots are strong enough to break rock.
False
True
Answer:
True
Explanation:
Plants and animals can be agents of mechanical weathering. The seed of a tree may sprout in soil that has collected in a cracked rock. As the roots grow, they widen the cracks, eventually breaking the rock into pieces.
what are the characteristics of review site
g to start and stop a slide show, you must do all but one of the following. which one is it? group of answer choices code an event handler for the click event of the slides code a function expression for running the slide show call the setinterval() method to start the slide show call the clearinterval() method to stop the slide show
To start and stop a slide show, you must do all but one of the following: "Code an event handler for the click event of the slides." This is not required to start and stop a slide show. The other options are correct for starting and stopping a slide show.
A slide show is a collection of pictures that play one after the other on a web page. Slide shows can be viewed in a variety of ways. One of the most popular options is to display the images in a slideshow. Slide shows can be automated or manually operated. The user can advance through the images at their leisure when manually controlled. The user can advance through the images at a set interval when automated. For starting and stopping a slide show, the following three steps are to be followed. Code an event handler for the click event of the slides. Code a function expression for running the slide show. Call the setInterval() method to start the slide show. Therefore, the "call the clear interval () method to stop the slide show" is not correct.
To start and stop a slide show, you must do all but one of the following: "Code an event handler for the click event of the slides." This is not required to start and stop a slide show. The other options are correct for starting and stopping a slide show.
learn more about slide show here:
https://brainly.com/question/23864183
#SPJ11
Jennifer has written a short story for children. What should be her last step before she submits the story for publication?
Answer: proofreading
Explanation:
The options include:
A. proofreading
B) editing
C) accepting track changes
D) rejecting track changes
Jennifer's last step before she submits the story for publication should be proofreading. Proofreading simply refers to the checking of errors in an article, story or text before such article or text is published.
Proofreading is the final stage when one is writing before it's published. When a story is proofread, spelling, formatting issues, punctuation marks and every other mistakes are checked and removed.
The __________ function is used for the conditional computation of expressions in excel.
what do you think about the cursed cat?
i like it :3
Answer:
Explanation:
looks amazing
Answer:
thats me but low cost lol
-CC
write a single C program that will:
1. Have a major processing loop that will ask the user if they
want to go again and stay in the loop until they ask to quit.
2. Will ask the user if they want to create a file (your choice as to
the filename) and if so,
create a file with 100 random numbers (from 1 - 100) in it. The file create operation must then close the file.
3. Will ask the user if they want to process the file and if so,
the program will open the file,
read the numbers from the file and find the average of the numbers, the biggest and the smallest numbers,
close the file and then report the average and the biggest and smallest numbers.
4. Programming note: the program must have error checking to ensure
that the file was successfully opened before writing to or reading from it.
If you use functions for the create File and process File operations, you
may use Global variables.
The below given is the code in C which will have a major processing loop that will ask the user if they want to go again and stay in the loop until they ask to quit:
```#include #include #include #define FILE_NAME "random_number_file.txt"FILE* fp;int createFile();int processFile();int main() { int opt = 1; while (opt) { printf("\nPlease choose the following options:\n0: Quit\n1: Create File\n2: Process File\n"); scanf("%d", &opt); switch (opt) { case 0: printf("Exiting the program..."); break;
case 1: createFile(); break;
case 2: processFile(); break; default: printf("Invalid option. Try again.\n"); } } return 0;} ```
The above code will ask the user if they want to create a file (your choice as to the filename) and if so, create a file with 100 random numbers (from 1 - 100) in it. The file create operation must then close the file.```int
create File() { int count = 0, number = 0; fp = fopen (FILE_NAME, "w"); if (fp == NULL) { printf("Unable to create file.\n"); return 0; } srand((unsigned int) time(NULL)); for (count = 0; count < 100; count++) { number = rand() % 100 + 1; fprintf(fp, "%d\n", number); } fclose(fp); printf("File created successfully!\n"); return 1;}```
The above code will ask the user if they want to process the file and if so, the program will open the file, read the numbers from the file and find the average of the numbers, the biggest and the smallest numbers, close the file and then report the average and the biggest and smallest numbers.
```int processFile() { int count = 0, number = 0, total = 0, max = 0, min = 101; float avg = 0; fp = fopen(FILE_NAME, "r"); if (fp == NULL) { printf("Unable to read file.\n"); return 0; } while (fscanf(fp, "%d", &number) != EOF) { count++; total += number; if (number > max) max = number; if (number < min) min = number; } if (count == 0) { printf("File is empty.\n"); fclose(fp); return 0; } avg = (float) total / count; fclose(fp); printf("Average: %.2f\n", avg); printf("Maximum number: %d\n", max); printf("Minimum number: %d\n", min); return 1;}```
The above code will have error checking to ensure that the file was successfully opened before writing to or reading from it. It is also using Global variables for create File and process File operations. Hence the required code is given.
To know more about average refer to:
https://brainly.com/question/130657
#SPJ11
write a program to add 8 to the number 2345 and then divide it by 3. now, the modulus of the quotient is taken with 5 and then multiply the resultant value by 5. display the final result.
Answer:
Here is a program in Python that will perform the operations described:
# Calculate 8 + 2345
result = 8 + 2345
# Divide by 3
result = result / 3
# Take modulus with 5
result = result % 5
# Multiply by 5
result = result * 5
# Display final result
print(result)
Explanation:
This program will add 8 to the number 2345, divide the result by 3, take the modulus with 5, and then multiply the result by 5. The final result will be displayed on the screen.
I hope this helps! Let me know if you have any questions or if you need further assistance.
A manager rents a unit to a tenant who later has a car accident and is confined to a wheelchair. the tenant now wants the manager to lower all the light switches and install grab bars. does the manager have to make these modifications?
Yes, since it is the landlord's responsibility to keep the apartments in livable condition.
What is meant by the term "real estate"?The term "real estate" refers to property in the form of land and buildings. It will remain illegal to acquire foreign real estate for non-business purposes, such as purchasing rental properties. As a result of the law, more land is intended to be productively used for housing. The term "real estate" refers to property in the form of land and buildings.
How do things work in real estate?Real estate is made up of land and improvements like roads, buildings, fixtures, and utility systems. Property rights confer ownership of the land, improvements, and natural resources, such as water, wildlife, plants, and any additional mineral deposits.
To know more about real estate visit:-
brainly.com/question/10336196
#SPJ4
How do you find the string of an array?
To find the string of an array, you can simply access a specific index of the array that contains the desired string.
An array is a data structure that stores a collection of elements of the same type, such as integers, characters, or strings. Each element in the array is identified by an index, which represents its position within the array.
To access the string stored at a specific index of the array, you can use the index to retrieve the element at that position. For example, if you have an array called "myArray" and you want to retrieve the string stored at index 2, you can do so using the following code:
myArray[2]
This will return the string stored at index 2 of the array. You can then use this string for whatever purpose you need in your program.
For more questions like Array click the link below:
https://brainly.com/question/31503078
#SPJ11
11.5 Code Practice Edhesive??
In this code practice, we will continue to employ W3Schools tools to practice writing HTML. You should have already read through the tutorials for the four HTML topics below, found in Lesson 11.5. Now, complete the exercises linked below for each topic. Once you complete these exercises, move onto the next set of instructions below.
HTML Styles (Links to an external site.)
HTML Formatting (Links to an external site.)
HTML CSS (Links to an external site.)
HTML Links (Links to an external site.)
Create a web page that has two paragraphs. One of the paragraphs should be aligned to the center and have red text. The other paragraph should be aligned to the right and be in italics. Refer to the sample below for clarification.
11.5 Code Practice example
Your program should begin and end with the following tags:
# Insert your code here!
In the programming environment, you will notice that once you type one tag (for example, the html opening tag), the environment automatically populates the closing tag for you. Be careful not to double up on closing tags, otherwise your HTML will not run.
As you write your web page, you can click the "Run Code" button to view it in real time.
Answer:
<html>
<body>
<p style="text-align:center;color:red;">This is a paragraph.</p>
<p><i> "This text is italic</i></p>
</body>
</html>
Explanation:
I got a 75%. Hope this helps.
HTML codes are placed in segments called tags.
Tags are divided into two
The opening tagThe closing tagTake for instance, the opening and closing tags of the paragraph tag are <p> and </p>, respectively.
Having explained what tags are, the required HTML code is as follows:
<html>
<body>
<p align="center"><font color="black"> This is a paragraph 1</font></p>
<p align="right"><i> This is a paragraph 2 </i></p>
</body>
</html>
The paragraphs are aligned using center and right alignments, while the text in the first paragraph is colored using the color tag
Read more about HTML at:
https://brainly.com/question/25055825
Which of the following is a popular, user friendly CMS often used as a blogging platform?
JavaScript
WordPress
Hosts webpages
WordPress is a popular and user-friendly CMS that is often used as a blogging platform.
So, the answer is B.
It offers a wide range of customizable templates, plugins, and themes that make it easy for users to create and manage their websites.
Additionally, WordPress is supported by a large community of developers and users who contribute to its development and provide support through forums and tutorials.
By using WordPress, users can easily create and host webpages without the need for extensive programming knowledge. Overall, WordPress is a reliable and accessible platform for website creation and management.
Hence, the answer of the question is B.
Learn more about programming at https://brainly.com/question/31876821
#SPJ11
what technology led editors to substitute news reports for opinion commentary?
The technology that led editors to substitute news reports for opinion commentary is the telegraph. Enabling the sharing of objective news reports instead of relying heavily on opinion-based commentary.
Another important technology was the printing press, which made it possible to produce newspapers on a large scale and at a lower cost. This led to the growth of the newspaper industry and the development of specialized roles within it, such as reporters, editors, and copywriters. Later on, television became a dominant medium for news reporting, and it was able to provide even more immediate coverage of events. Today, digital technologies have taken the place of traditional news media, with online news sources providing up-to-the-minute coverage of events as they unfold.
In summary, a variety of technologies have played a role in the shift from opinion commentary to news reporting over the years, including the telegraph, printing press, radio, television, and digital technologies. Each of these technologies has helped to make news reporting more immediate and accessible to the public.
To know more about technology visit:-
https://brainly.com/question/9171028
#SPJ11
What is the measure of each angle of an equilateral traingle what is that answer is it 30 or 45or 60 or 90 hmmmm
Answer:
60°
Explanation:
The measure of each angle of an equilateral triangle is 60°.
An equilateral triangle is a kind of triangle where all angles are equal to each other.
The sum of angles of a triangle is equal to 180
A triangle has 3 sides
Calculating the measure of each angle,
a + a + a = 180°
3a = 180°
a = 180 / 3
Therefore a = 60°
The process of giving the user the result of processing is called
Your question is answered output.
Output is a state when computer completed at processing the user's wants or inputted data. Your smartphone display, speaker is an output device, even it's not a big computer.
Hope this helps :)
Explain the difference between programmed theories and
damaged/ errors theories of aging.
Give specific detail for each.
Include References
Programmed theories: Aging is predetermined by genetics. Damage/error theories: Aging results from accumulated damage and errors.
Programmed theories and damage/error theories provide different explanations for the process of aging. Programmed theories propose that aging is a genetically predetermined process, influenced by factors such as gene expression and hormonal changes. These theories suggest that aging follows a specific biological program, leading to a natural decline in function and lifespan. Examples include programmed senescence theory and telomere theory.
On the other hand, damage/error theories propose that aging is primarily caused by accumulated damage and errors in cells and tissues. Factors such as DNA damage, oxidative stress, and the accumulation of harmful substances contribute to aging. These theories view aging as a consequence of wear and tear, similar to how a machine breaks down over time. Examples include the oxidative stress theory and DNA damage theory.
Understanding the complexities of aging requires considering both programmed and damage/error theories, as they provide different perspectives on the underlying causes of age-related changes.
References:
López-Otín C, et al. (2013). The hallmarks of aging. Cell, 153(6), 1194-1217.Kirkwood TB. (2005). Understanding the odd science of aging. Cell, 120(4), 437-447.To learn more about “DNA damage” refer to the https://brainly.com/question/15018135
#SPJ11
explain the application software and utility software in detail
Utility software is software designed to help analyze, configure, optimize or maintain a computer. It is used to support the computer infrastructure - in contrast to application software, which is aimed at directly performing tasks that benefit ordinary users.
In information technology, an application (app), application program or application software is a computer program designed to help people perform an activity. Depending on the activity for which it was designed, an application can manipulate text, numbers, audio, graphics, and a combination of these elements.
What is true about Electronic Business Cards in Outlook 2016? Check all that apply.
They are a way to share contact information with other users.
You can choose what is included on the business card.
You can create multiple electronic business cards.
They can be shared only with users in the organization.
You cannot send electronic business cards by email.
Answer:
A. B. C.
Explanation:
They are a way to share contact information with other users and You can choose what is included on the business card.
What is Electronic business cards?
Information exchange in the modern era is done through digital business cards.
Digital business cards, also referred to as virtual or electronic cards, are more interactive, economical, and environmentally friendly than traditional cards.
The ability to distribute digital business cards with anybody, everywhere is a big advantage. You can design your own digital business cards with on a computer, an iOS device, or an Android device.
Therefore, They are a way to share contact information with other users and You can choose what is included on the business card.
To learn more about Business card, refer to the link:
https://brainly.com/question/28850206
#SPJ2
A relational database has been created to store data about subjects that students are studying. The following is a
selection of some data stored in one of the tables. The data represents t he student's name, the personal tutor group,
the personal tutor, the subject studied, the level of study and the subject teacher but there is some data missing:
Xiangfei 3 MUB Computing A DER
Xiangfei 3 MUB Maths A BNN
Xiangfei 3 MUB Physics AS DAB
Mahesh 2 BAR History AS IJM
Mahesh 2 BAR Geography AS CAB
Define the terms used to describe the components in a relational database table using examples from
this table.
ii If this represented all of the data, it would have been impossible to create this table.
What is it that has not been shown here and must have been defined to allow the creation as a relational
[2]
database table? Explain your answer and suggest examples of the missing data.
Mention two charactarestics of money that make it a sustainable medium of exchange
In this lab, you complete a Python program that calculates an employee's annual bonus. Input is an employee's first name, last name, salary, and numeric performance rating. If the rating is 1, 2, or 3, the bonus rate used is .25, .15, or .1 respectively. If the rating is 4 or higher, the rate is 0. The employee bonus is calculated by multiplying the bonus rate by the annual salary.
Answer:
The program is as follows (See attachment)
Comments are used to explain some lines
Fname = input("Enter Employee First Name: ")
Lname = input("Enter Employee Last Name: ")
Salary = float(input("Enter Employee Salary: "))
Ratings = int(float(input("Enter Employee Ratings: ")))
#Initialize bonus rate to 0; This will be used if ratings is 4 or 4
bonusRate = 0.0
if Ratings == 1:
bonusRate =0.25 #If ratings is 1, bonus rate is 0.25
elif Ratings == 2:
bonusRate = 0.15 #If ratings is 2, bonus rate is 0.15
elif Ratings == 3:
bonusRate = 0.1 #If ratings is 3, bonus rate is 0.1
bonus = Salary * bonusRate
print(Lname+" "+Fname+"'s employee bonus is "+str(bonus))
#End of Program
Explanation:
The program saves the employee's first name and last name in variables Fname and Lname, respectively
The employee's salary is saved as float datatype in variable Salary
The employee's ratings is saved as int datatype in variable Ratings
For ratings greater than or equal to 4, the bonusRate is set to 0.0; this is done on line 6 of the program
Line 7 to 12 check if employee Ratings is 1, 2 or 3 and the respective bonusRate is used
Line 13 calculates the employee's bonus
Line 14 prints the employee's bonus
The program is ended on line 15
When one loop appears inside another, the loop that contains the other loop is called the ____ loop. Group of answer choices indefinite definite inner outer
Answer:
outer
Explanation:
When one loop appears inside another, the loop that contains the other loop is called the outer loop.
A large computer hardware manufacturer purchased a company that develops computer-based software training, among other types of computer-based training. The computer manufacturer has been looking for just such a company that could open up opportunities for them to diversify and grow both businesses. This strategic decision bringing the two companies together is called a.
Since the large computer hardware manufacturer purchased a company that develops computer-based software training, the strategic decision that is bringing the two companies together is called option c: vertical merger.
What is an example of a vertical merger?A vertical merger is known to be one that tends to brings together two businesses that may not be in direct competition but are said to be nevertheless connected by the same supply chain.
A good example of a vertical merger would be an automaker is said to be combining with a parts type of supplier.
A vertical merger is when two or more businesses come together to provide various supply chain services for a single item or service. Most frequently, a merger is one that is often implemented to boost business, get more control over the supply chain process, as well as forms synergies.
Therefore, Since the large computer hardware manufacturer purchased a company that develops computer-based software training, the strategic decision that is bringing the two companies together is called option c: vertical merger.
Learn more about vertical merger from
https://brainly.com/question/24539048
#SPJ1
A large computer hardware manufacturer
purchased a company that develops computer-based software training, among other types of
computer-based training. The computer manufacturer has been looking for just such a company that could open up opportunities for them to
diversity and grow both businesses. This strategic decision bringing the two companies together is called a
Multiple Choice
conglomerate merger
vertical merger
horizontal merger
A month ago, Amelia used a long-awaited check to make online purchases for gardening supplies. Now she sees advertisements for similar garden supplies on every website she visits. What is the MOST likely reason these ads are appearing?
A.
Amelia specified on her browser preferences to see only ads related to garden supplies.
B.
Marketers tracked Amelia as she visited various websites to help guide their ad placements.
C.
There is no real basis for these ads to appear, though that doesn’t lessen Amelia’s sense of being tracked.
D.
Amelia's computer has enough artificial intelligence to predict what she will likely purchase.
The likely reason these ads are appearing as Amelia's computer has enough artificial intelligence to predict what she will likely purchase. Thus the correct option is D.
What is an advertisement?An advertisement has referred a tool of promotion which helps in creating awareness as well as education prospect audiences that a new product is launched or modification in existing products in order to persuade the to buy.
The internet or social media site you are visiting may receive delivery confirmation from the computer or search engine you are using, which is the most likely cause of the problem. It is possible to evaluate a customer's purchasing habits by collecting user data.
Therefore, option D is appropriate.
Learn more about Advertisement, here:
https://brainly.com/question/3163475
#SPJ1