________ activities must be completed immediately before a particular activity. A. Predecessor B.Parallel C.Successor D.Merge E. Burst

Answers

Answer 1

 Predecessor activities must be completed immediately before a particular activity. 

Ancestors and replacements in project the board depict exercises that rely on each other to continue. The order in which the project plan moves forward will be determined by these activities' dependencies on one another. In project management, activities that must begin or end before a successor task can proceed are called predecessors.

In project management, there are four ways that dependencies can occur and have different relationships depending on the task or project phase:

From Start to End: Task B can't start until task A has been finished

Begin to Begin: Prior to the beginning of task A, task B cannot begin. Prior to completing task A, task B cannot be completed. From Start to Finish: Finish to Start task dependencies, for instance, describe a sequence of activities in which one task must be completed before another begins. Task B cannot be completed until task A begins. A Finish to Finish task dependency is another type of dependency, in which one task must be finished before another can be done.

To know more about Predecessor activities visit https://brainly.com/question/13468749?referrer=searchResults

#SPJ4


Related Questions

Design a loop that asks the user to enter a number. The loop should iterate 10
times and keep a running total of the numbers entered.
Ejercicio #2
Largest and Smallest
Design a program with a loop that lets the user enter a series of numbers. The user
should enter -99 to signal the end of the series. After all the numbers have been en-
tered, the program should display the largest and smallest numbers entered.
Vea en Mis Notas la rúbrica para evaluar
ге

Answers

There are actually a couple of questions in here. I'll try to answer them in Python, which kind of looks like psuedocode already.

1. Design a loop that asks the user to enter a number. The loop should iterate 10 times and keep a running total of the numbers entered.

Here, we declare an empty array and ask for user input 10 times before printing a running total to the user's console.

numbers = []

for i in range(10):

   numbers.append(input("number: "))  

print(f"running total: { ', '.join(numbers) }")

2. Design a program with a loop that lets the user enter a series of numbers. The user should enter -99 to signal the end of the series. After all the numbers have been entered, the program should display the largest and smallest numbers entered.

Here, we declare an empty array and ask for user input forever until the user types -99. Python makes it really easy to get the min/max of an array using built-in functions, but you could also loop through the numbers to find the smallest as well.

numbers = []

while True:

   n = int(input("number: "))

   if n == -99:  

       break

   numbers.append(n)

print(f"largest number: { max(numbers) }")  

print(f"smallest number: { min(numbers) }")    

What is programming blocks?

Answers

Answer:

In computer programming, a block or code block is a lexical structure of source code which is grouped togethe

Explanation:

which footing supports a long brick or concrete wall

Answers

Answer: cement

Explanation:

In Java only please:
4.15 LAB: Mad Lib - loops
Mad Libs are activities that have a person provide various words, which are then used to complete a short story in unexpected (and hopefully funny) ways.

Write a program that takes a string and an integer as input, and outputs a sentence using the input values as shown in the example below. The program repeats until the input string is quit and disregards the integer input that follows.

Ex: If the input is:

apples 5
shoes 2
quit 0
the output is:

Eating 5 apples a day keeps you happy and healthy.
Eating 2 shoes a day keeps you happy and healthy

Answers

Answer:

Explanation:

import java.util.Scanner;

public class MadLibs {

   public static void main(String[] args) {

       Scanner input = new Scanner(System.in);

       String word;

       int number;

       do {

           System.out.print("Enter a word: ");

           word = input.next();

           if (word.equals("quit")) {

               break;

           }

           System.out.print("Enter a number: ");

           number = input.nextInt();

           System.out.println("Eating " + number + " " + word + " a day keeps you happy and healthy.");

       } while (true);

       System.out.println("Goodbye!");

   }

}

In this program, we use a do-while loop to repeatedly ask the user for a word and a number. The loop continues until the user enters the word "quit". Inside the loop, we read the input values using Scanner and then output the sentence using the input values.

Make sure to save the program with the filename "MadLibs.java" and compile and run it using a Java compiler or IDE.

Indicate whether the statement is True or False (Choose FIVE only)

Indicate whether the statement is True or False (Choose FIVE only)

Answers

Answer:

its false

Explanation:

because we use it always

what is database? Enlist there types.

Answers

its like the thing that holds your contacts info in your phone or your social media account

databases hold other information too

big companies like banks usually have huge databases

they're usually in a excel spreadsheet sheet like format

in that format things like name, phone number, email, bank account, interest rate are COLUMNS

things like bank account & interest rate amounts are usually ROWS

when you look for a hard to find social media accounts thru various search websites thats like DATA MINING

Q18. Evaluate the following Java expression ++z
A. 20
B. 23
C. 24
D. 25
y+z+x++, if x = 3, y = 5, and z = 10.

Q18. Evaluate the following Java expression ++zA. 20B. 23C. 24D. 25y+z+x++, if x = 3, y = 5, and z =

Answers

Answer: C. 25

Explanation:

Should be the answer

How to become a software tester?

Answers

Answer:

by gaining knowledge taking information from experience person

(d, Dash Style 2, The Tools on drawing Toolbar are classified into how many groups a, 4 b, 5 c, 6 d, 3​

Answers

The tools on the toolbar are classified Into 2 parts

What are the 2 sections on tool bar ?

First section:

Select: Objects are chosen. Click on the top-leftmost object to start the selection process, then drag the mouse to the bottom-right object while holding down the mouse button. The chosen region is indicated by a rectangle with marching ants. By simultaneously choosing multiple objects and hitting the Control button, you can choose multiple objects at once.

a straight line is drawn.

A straight line that ends in an arrowhead is called an arrow. When you let go of the mouse button, the arrowhead will be positioned there.

Rectangle: a rectangle is drawn. To draw a square, click the Shift button.

Draw an ellipse using this command. To make a circle, use the Shift button.

Text

vertical text

Connectors, basic shape

Second part:

1 Edit Points | 4 From File | 7 Alignment | 10 Interaction

2 Glue Points | 5 Gallery | 8 Arrange | 11 Visible Buttons

3 Font work | 6 Rotate | 9 Extrusion ON/Off

Hence to conclude there are 2 sections on toolbar

To know more on toolbars follow this link

https://brainly.com/question/13523749

#SPJ9

This function converts miles to kilometers (km).

Complete the function to return the result of the conversion
Call the function to convert the trip distance from miles to kilometers
Fill in the blank to print the result of the conversion
Calculate the round-trip in kilometers by doubling the result, and fill in the blank to print the result

Answers

Answer:

In Python:

def miles_to_km(miles):

   km = miles * 1.60934

   roundtrip = km * 2

   print("Kilometre: "+str(km))

   print("Roundtrip: "+str(roundtrip))

Explanation:

The question has missing details. So, I start from scratch

This defines the function

def miles_to_km(miles):

This converts miles to km

   km = miles * 1.60934

This calculates the round-trip

   roundtrip = km * 2

This prints the distance in kilometers

   print("Kilometre: "+str(km))

This prints the round-trip

   print("Roundtrip: "+str(roundtrip))

Krista is doing research for her school assignment. While she is completing her research, the computer unexpectedly restarts. The computer restarted because it

was installing software
was installing updates
was updating the hardware
was updating the virus

Answers

Answer:

I believe the answer should be was installing updates.

Explanation:


Computer industries and organizations also face issues related to health, safety, and environmental issues. In this task, you will examine these
sues related to an industry organization that deals with technology, specifically computers. Write a short essay on these issues.

Answers

Over the past twenty years a great many questions have arisen concerning the links that may exist between the use of computers and the health and safety of those who use them. Some health effects -- such as joint pain and eye strain following an extended period huddled typing at a screen and keyboard -- are recognised as an actuality by many. However, proving with any degree of certainly the longer-term health impacts of computer use remains problematic. Not least this is because widespread computer use is still a relatively modern phenomenon, with the boundaries between computers and other electronic devices also continuing to blur.

it is the process of combining the main document with the data source so that letters to different recipients can be sent​

Answers

The mail merge is  the process of combining the main document with the data source so that letters to different recipients can be sent​.

Why is mail merge important?

Mail merge allows you to produce a batch of customised documents for each recipient.

A standard letter, for example, might be customized to address each recipient by name.

The document is linked to a data source, such as a list, spreadsheet, or database.

Note that Mail merge was invented in the 1980s, specifically in 1984, by Jerome Perkel and Mark Perkins at Raytheon Corporation.

Learn more about mail merge at:

https://brainly.com/question/20904639

#SPJ1

What are the fundamental activities that are common to all software processes?

Answers

Answer:

There are some fundamental activities that are common to all software processes:

•Software specification. In this activity the functionality of the software and constraints on its operation must be defined.

•Software design and implementation. ...

•Software validation. ...

•Software evolution

python assighment 12 not whole question

For this assignment, you will write a series of methods which are designed to help you analyze how often different words appear in text. You will be provided texts as lists of words, and you will use dictionaries to help with your analysis.

Methods to write

Method
Description
get_word_counts(word_list)
This method will take a list parameter and return a dictionary which has as its keys the words from the list, and has as its values the number of times that word appears in the list. So, for example, if you have the following list:
words = ["to", "be", "or", "not", "to", "be"]
then get_word_counts(words) should return this dictionary:
{'to': 2, 'be': 2, 'or': 1, 'not': 1}
number_of_appearances(word_counts, word)
This method takes a dictionary of word counts (like the one returned from your get_word_counts method) as a parameter and a single word. It returns the number of times that word appears in the text (i.e. the value if it exists in the dictionary, or 0 otherwise).
total_words(word_counts)
This method takes a dictionary of word counts (like the one returned from your get_word_counts method) as a parameter. It returns the total number of words from the text (i.e. the sum of all the values).
most_common(word_counts)
This method takes a dictionary of word counts (like the one returned from your get_word_counts method) as a parameter. It returns the word which appears the most frequently (i.e. the key with the highest value in the dictionary). Don't worry if there is more than one most common word; any correct answer should pass the grader, as it will be tested only on word count dictionaries with a single most common word.
single_words(word_counts)
This method takes a dictionary of word counts (like the one returned from your get_word_counts method) as a parameter. It returns a list containing every word which appears exactly once (i.e. every key which has a value of 1).
get_combined_counts(word_counts_a, word_counts_b)
This method takes two dictionaries of word counts (like the one returned from your get_word_counts method) as parameters. It returns a single dictionary which combines the totals from both.
The starter code already contains the following lines of code to test your methods on some words from two classic Beatles songs.
words = ['oh', 'i', 'need', 'your', 'love', 'babe', 'guess', 'you', 'know', 'its', 'true', 'hope', 'you', 'need', 'my', 'love', 'babe', 'just', 'like', 'i', 'need', 'you', 'hold', 'me', 'love', 'me', 'hold', 'me', 'love', 'me', 'i', 'aint', 'got', 'nothing', 'but', 'love', 'babe', 'eight', 'days', 'a', 'week', 'love', 'you', 'every', 'day', 'girl', 'always', 'on', 'my', 'mind', 'one', 'thing', 'i', 'can', 'say', 'girl', 'love', 'you', 'all', 'the', 'time', 'hold', 'me', 'love', 'me', 'hold', 'me', 'love', 'me', 'i', 'aint', 'got', 'nothing', 'but', 'love', 'girl', 'eight', 'days', 'a', 'week', 'eight', 'days', 'a', 'week', 'i', 'love', 'you', 'eight', 'days', 'a', 'week', 'is', 'not', 'enough', 'to', 'show', 'i', 'care']
counts = get_word_counts(words)
print("WORD COUNTS")
for word in sorted(counts):
    print(word, counts[word])
print()

print("Appearances of 'need':", number_of_appearances(counts, "need"))
print("Appearances of 'want':", number_of_appearances(counts, "want"))
print()

print("Total words:", total_words(counts))

print("Most common word:", most_common(counts))
print()

print("SINGLE WORDS")
for word in sorted(single_words(counts)):
    print(word)
print()

other_words = ['love', 'love', 'me', 'do', 'you', 'know', 'i', 'love', 'you', 'ill', 'always', 'be', 'true', 'so', 'please', 'love', 'me', 'do', 'whoa', 'love', 'me', 'do', 'love', 'love', 'me', 'do', 'you', 'know', 'i', 'love', 'you', 'ill', 'always', 'be', 'true', 'so', 'please', 'love', 'me', 'do', 'whoa', 'love', 'me', 'do', 'someone', 'to', 'love', 'somebody', 'new', 'someone', 'to', 'love', 'someone', 'like', 'you']
other_counts = get_word_counts(other_words)
print("OTHER WORD COUNTS")
for word in sorted(other_counts):
    print(word, other_counts[word])
print()
combined_counts = get_combined_counts(counts, other_counts)
print("COMBINED WORD COUNTS")
for word in sorted(combined_counts):
    print(word, combined_counts[word])
You should uncomment lines to test your methods as you go along. Leave these lines uncommented when you submit your code, as the grader will use them for one of the tests.
If you want to transform your own text to a list so you can analyze it using your methods, here is some simple code you can use to change a passage into a list. Be warned - it may not work if your text contains quotation marks or line breaks.

Answers

Python runs on a variety of operating systems, including Windows, Mac, Linux, and Raspberry Pi.

Thus, The syntax of Python is straightforward and resembles that of English. Python's syntax differs from various other programming languages in that it enables programmers to construct applications with fewer lines of code and Linux.

Python operates on an interpreter system, allowing for the immediate execution of written code. As a result, prototyping can proceed quickly. Python can be used in a functional, object-oriented, or procedural manner.

Web applications can be developed on a server using Python. Workflows can be made with Python and other technologies.

Thus, Python runs on a variety of operating systems, including Windows, Mac, Linux, and Raspberry Pi.

Learn more about Python, refer to the link:

https://brainly.com/question/32166954

#SPJ1

find HTML CODE FOR THIS

find HTML CODE FOR THIS

Answers

The HTML code for the above is given as follows

<table>

 <tr>

   <th>Country</th>

   <th>Year</th>

   <th>Population (In Crores)</th>

 </tr>

 <tr>

   <td rowspan="3">India</td>  

   <td>1998</td>

   <td>85</td>

 </tr>

 <tr>

   <td>1999</td>

   <td>90</td>

 </tr>

 <tr>

   <td>2000</td>

   <td>100</td>

 </tr>

 <tr>

   <td rowspan="3">USA</td>  

   <td>1998</td>

   <td>30</td>

 </tr>

 <tr>

   <td>1999</td>

   <td>35</td>

 </tr>

 <tr>

   <td>2000</td>

   <td>40</td>

 </tr>

 <tr>

   <td rowspan="3">UK</td>  

   <td>1998</td>

   <td>25</td>

 </tr>

 <tr>

   <td>1999</td>

   <td>30</td>

 </tr>

 <tr>

   <td>2000</td>

   <td>35</td>

 </tr>

</table>

Why are HTML Codes Important?

HTML codes   are important because theydefine the structure and content of webpages.

They provide   a standardized way to format and present information, including text,images, links, and multimedia.

HTML   codes allow web browsers to interpretand render web content, enabling users to access and navigate websites effectively.

Learn more about HTML Codes:
https://brainly.com/question/4056554
#SPJ1

How does a computer go through technical stages when booting up and navigating to the sample website? Answer the question using Wireshark screenshots.

Answers

When a computer is turned on, it goes through several technical stages before it can navigate to a sample website. The following are the basic steps involved in booting up a computer and accessing a website:

How to explain the information

Power On Self Test (POST): When a computer is turned on, it undergoes a Power On Self Test (POST) process, which checks the hardware components such as RAM, hard drive, CPU, and other peripherals to ensure they are functioning properly.

Basic Input/Output System (BIOS) startup: Once the POST process is complete, the BIOS program stored in a chip on the motherboard is loaded. The BIOS program initializes the hardware components and prepares the system for booting.

Boot Loader: After the BIOS startup is complete, the boot loader program is loaded. This program is responsible for loading the operating system into the computer's memory.

Operating System (OS) startup: Once the boot loader program has loaded the operating system, the OS startup process begins. During this process, the OS initializes the hardware, loads device drivers, and starts system services.

Web browser launch: After the OS startup is complete, the user can launch a web browser. The web browser program is loaded into the memory, and the user can navigate to a sample website.

DNS Lookup: When the user types in the website address, the computer performs a Domain Name System (DNS) lookup to translate the website name into an IP address.

HTTP Request: After the IP address is obtained, the web browser sends an HTTP request to the web server that hosts the website.

Website content delivery: Once the web server receives the HTTP request, it sends back the website content to the web browser, and the website is displayed on the user's screen.

These are the basic technical stages involved in booting up a computer and navigating to a sample website.

Learn more about computer on;

https://brainly.com/question/24540334

#SPJ1

write a pseudocode to calculate the volume of a cylinder​

Answers

Answer:

10.50, height = 15.01, and pi = 3.1415.

public class ArrayCopy {

public static void main (String[] argv)
{
int[][] A = {
{1},
{2, 1},
{3, 2, 1},
{4, 3, 2, 1},
{5, 4, 3, 2, 1}
};
print (A);

int[][] B = copy (A);
print (B);
}

static void print (int[][] X)
{
for (int i=0; i for (int j=0; j < X[i].length; j++) {
System.out.print (" " + X[i][j]);
}
System.out.println ();
}
}

// INSERT YOUR CODE HERE.

}
answer in java, please complete code above

Answers

Sure! Below is the completed code that includes the missing part:

java:

public class ArrayCopy {

   public static void main(String[] argv) {

       int[][] A = {

               {1},

               {2, 1},

               {3, 2, 1},

               {4, 3, 2, 1},

               {5, 4, 3, 2, 1}

       };

       print(A);

       int[][] B = copy(A);

       print(B);

   }

   static void print(int[][] X) {

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

           for (int j = 0; j < X[i].length; j++) {

               System.out.print(" " + X[i][j]);

           }

           System.out.println();

       }

   }

   static int[][] copy(int[][] X) {

       int[][] copyArray = new int[X.length][];

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

           copyArray[i] = new int[X[i].length];

           for (int j = 0; j < X[i].length; j++) {

               copyArray[i][j] = X[i][j];

           }

       }

       return copyArray;

   }

}

In the given code, the missing part is the `copy` method. This method is responsible for creating a copy of the 2D array `A` and returning it as a new 2D array.

The `copy` method initializes a new 2D array `copyArray` with the same number of rows as the original array `X`. It then iterates over each row of `X` and creates a new row in `copyArray` with the same length as the corresponding row in `X`. Finally, it copies the values from each element of `X` to the corresponding element in `copyArray`.

The completed code allows you to print the original array `A` and its copy `B` by calling the `print` method. The `print` method iterates over each element in the 2D array and prints its values row by row.

Note: When running the code, make sure to save it as "ArrayCopy.java" and execute the `main` method.

For more questions on copyArray, click on:

https://brainly.com/question/31453914

#SPJ8

three classifications of operating system​

Answers

Answer:

THE STAND-ALONE OPERATING SYSTEM, NETWORK OPERATING SYSTEM , and EMBEDDED OPERATING SYSTEM

Press CTRL+W to save the document.
True
False

Answers

Answer:

False.

Explanation:

Pressing CTRL+W will close the current tab or window. To save a document, you can use CTRL+S or go to File > Save.

Answer:

False

Explanation:

Pressing CTRL+W closes the current window or tab in most applications, but it does not save the document.

First Resource is offering a 5% discount off registration fees for all EventTypes except for Survey/Study.

In cell K11 enter a formula that will return 0.05 if the event is NOT a Survey/Study, otherwise return a blank value ("").

Use a VLOOKUP function to return the EventType from the EventDetails named range.

Use a NOT function so that any event type other than Survey/Study will return TRUE.

Use an IF function to return 0.05 for the value_if_true and "" for the value_if_false.

Incorporate an IFERROR function to return a blank value if the VLOOKUP function returns an error.

Format the result as Percentage with 0 decimal places and copy the formula down through K34.

Answers

Use a VLOOKUP function to return the EventType from the EventDetails named range. Use a NOT function so that any event type other than Survey/Study will return TRUE.

Use an IF function to return 0.05 for the value_if_true and "" for the value_if_false. Vlookup is a technique in excel which enables users to search for criterion values. It is vertical lookup function in excel which return a value from a different column.

Vlookup'select cell you want to look up in' select cell you want to lookup from' select column index number' true/false. where true is approximate match and false is exact match.

Learn more about technician on:

https://brainly.com/question/14290207

#SPJ1

as a sales person which size hard disc would you recommend a customer who needs to use Microsoft PowerPoint application?

Answers

Answer:

Not very big - maybe 64 GB or 128 GB

Explanation:

PPT doesn't take up much space

The direction of data transport is its built from the top and goes down and across the wire and read going up on the recieving computer?
True
False

Answers

Do u mean one direction

From her stack of photographs, Alice has to pick images that a photographer shot using the sports mode. Which images would she pick?

From her stack of photographs, Alice has to pick images that a photographer shot using the sports mode.

Answers

Answer:

1. horses

2. train/ metro

3. child

What is the processing speed of the first generation computer ?

Answers

Answer:

Millisecond

Explanation:

We might know millisecond is very small and it is

not used now as computer speed

• List 2 examples of media balance:

Answers

Answer: balance with other life activities

spending time with family

studying / school work

Explanation:

What is the main difference between the ICD-10 annual revision released by the WHO and the ICD-10-CM/PCS annual revision released by CMS and NCHS? ISENTIFY WHICH addendaCMS publishes and which addenda along with the overall connection to the WHO.

Answers

Answer:

The U.S. also uses ICD-10-CM (Clinical Modification) for diagnostic coding. The main differences between ICD-10 PCS and ICD-10-CM include the following: ICD-10-PCS is used only for inpatient, hospital settings in the U.S., while ICD-10-CM is used in clinical and outpatient settings in the U.S.

Explanation:

Number are stored and transmitted inside a computer in the form of​

Answers

Number are stored and transmitted inside a computer in the form of ASCII code

For each function, describe what it actually does when called with a string argument. If it does not correctly check for lowercase letters, give an example argument that produces incorrect results, and describe why the result is incorrect.

# 1

def any_lowercase1(s):
for c in s:
if c.islower():
return True
else:
return False


# 2

def any_lowercase2(s):
for c in s:
if 'c'.islower():
return 'True'
else:
return 'False'


# 3

def any_lowercase3(s):
for c in s:
flag = c.islower()
return flag


# 4

def any_lowercase4(s):
flag = False
for c in s:
flag = flag or c.islower()
return flag

# 5

def any_lowercase5(s):
for c in s:
if not c.islower():
return False
return True

The code and its output must be explained technically whenever asked. The explanation can be provided before or after the code, or in the form of code comments within the code. For any descriptive type question, Your answer must be at least 150 words.

Answers

The use of the programing functions and example arguments that produces incorrect results are as detailed below.

How to Interpret the Programming function codes?

1) Function #1; any_lowercase1(s)

a) What this function does is that it checks for the first character of the string and then returns true if the character is a lowercase or else it returns false.

b) An example argument that produces incorrect results is;

Str="Hellofrance"

Output:- False

c) The reason why the argument is false is that;

Due to the fact that the string has the first character as an Uppercase, then the function will returns false and does not check until it finds a lowercase character.

2) Function#2; any_lowercase2(s)

a) What this function does is to return the string  “True” regardless of whatever may be the string input due to the fact that it contains a universally true “if-statement” which will always be true regardless of the input. The if statement is the one that checks for the character constant ‘c’ instead of the actual character.

b) An example argument that produces incorrect results is;

Str="HELLO”

Output:- True

c) The reason why the argument is false is that;

The "if" statement used in the function written as  ‘c’.islower() checks whether the character constant is as as lowercase or not rather than checking for the character in the string.

3) Function#3; any_lowercase3(s)

a) What this function does is that it checks whether the last character in the string is as a lowercase or not and then with that information, returns the true or false.

b) An example argument that produces incorrect results is;

Str="hellofrancE"

Output: false

c) The reason for the incorrectness of the example argument is;

The flag variable will keep updating for each character definitely until the last and thereafter, the flag status of the last character is returned as the function output. This then makes the function incorrect and as such, the function should employ a break when a lowercase character is encountered.

4) Function#4; any_lowercase4(s)

a) What this function does is “ flag = flag or c.islower()” for each character in the string. Now, initially the flag is set to false and it keeps itself updating for each character. The “or” operation is performed immediately true is encountered and the flag variable remains true. This function works correctly

b) An example argument that produces incorrect results is;

Str="Hellofrance"

5) Function#5; any_lowercase5(s)

a) The way that this function operates is that it returns true only when all characters in the string are seen to be lowercase otherwise if the function contains any uppercase characters it returns false.

b) An example argument that produces incorrect results is;

Str="hellofrancE"

Output:- false

Read more about Programming Codes at; https://brainly.com/question/16397886

#SPJ1

Other Questions
2. The two figures are similar. Consider Triangle 1 to be the pre-image and Triangle 2 to be the image. Write the similarity statement. Justify your answer by showing your work. (Hint: To justify your similarity statement, find the scale factor. What scale factor would you multiply the side lengths of Triangle 1 by to obtain the side lengths in Triangle 2)?Triangle 1 Triangle 2 Which option uses capital letters correctly? The student wrote, "The Chinese introduced paper money." the student wrote, "the Chinese introduced paper money." the student wrote, "The Chinese introduced paper money." The student wrote, "the Chinese introduced paper money." Helppp please I need help asap!!! Clay asks Donte to play the following number puzzle:Pick a numberAdd 4Multiply by 2Subtract 3Add your original numberDontes final result is 32. Which number did he start with?Group of answer choices belowA. 7B. 9C. 4D. 23E. 0 Let B be the basis of R2 consisting of the vectors {{2:0} and let C be the basis consisting of {[3] [-2]} Find a matrix P such that ]c=P[7]B for all in R2. P= true/false. pdf solution manual the statistical sleuth: a course in methods of data analysis WILL CHOOSE BRAINLIEST! Calcutale Grxn for the following equation at 25C: 4KClO3(s) 3KClO4(s) KCl(s) PLEASE HELP ME 100 points !! Qu hora es?2:07 p.m. =Son las dos y siete de la tarde.3:22 a.m. =Son las tres y veintidos de la maana11:15 =Son las once y quince (son las once y cuarto)5:30 =Son las cinco y treinta (son las cinco y media)Son las doce y catorce =12-14Son las diez y dos de la maana =10:02 AMSon las ocho y diecisiete de la tarde =8:17 P.M. 8+9=_+8 fill the blank and choose the property of addition What would be these journal entry. Thanks!On September 1, 2020, Wildhorse Corp. sold at 104 (plus accrued interest) 5,600 of its $1,000 face value, 10-year, 8% non- convertible bonds with detachable stock warrants. Each bond carried 2 detacha ill give brainlyest You should only use credit when_____.you want to go to a concertyou want to go on vacationyou need to not when you want toall of the above Q3. A charge of 90C passes through a wire in 1 hour and 15 minutes. What is the current in the wire? Which of the following statements is the best example of inelastic demand?a.)Tom chose the less expensive Common Scents brand candles rather than Scentsational brand.b.)Tom bought banners sold in town before; they were high quality, so he buys them there again, despite an increase in price.c.)Tom followed the trend of others and purchased table cloths from an online website at a lower price.d.)Tom chose Pretty/Cheap disposable plates, which were $1 less than Notso Cheap brand. The population of a city is 100,000 and the annual growth rate is 4.2%. Write an equation to model the population y after x years. True or False. When armored cable is run parallel to the side of rafters, studs, or floor joists in an accessible attic, the cable shall be protected with running boards. PLEASE HELP, WILL GIVE BRAINLEIST. Explain the difference between primary and secondary succession. please not such a simple answer the number 10 befotre 3305 what happens to the expected value of M a, sample size increases? a. It decreases 10, b. t also increases. e. It stays constant. d The expected value does not change in a predictable manner when sample size increases.