What should the expression include for validation when allowing for an empty field? a null value a true value a false value an error value

Answers

Answer 1

Answer:

a null value

Explanation:

EDGE 2021


Related Questions

Stress is an illness not unlike cancer.
True
False

Answers

Answer:

... not unlike cancer.

Explanation:

so we have a double negative so it makes it a positive, so that would basically mean like cancer

so false i think

Answer: True

Explanation:

perceptron simplest definition

Answers

Answer:

A perceptron is a neural network with a single layer


According to the article, each of the following
is a challenge in incorporating computer
science in classrooms EXCEPT?

Answers

Answer:

A

Explanation:

makes more sense to me, would have to read the articles to know

PYTHON:
Defining a Figure of Merit
Consider a string-matching figure of merit. That is, it tells you how close to a given string another string is. Each matching letter in the same spot is worth one point. Only letters need be considered.
For instance, if the secret string reads 'BLACKBEARD', then 'BEACKBEARD' is worth 9 points, 'WHITEBEARD' is worth 5 points, 'BEARDBLACK' is worth 4 points, and 'CALICOJACK' is worth 1 point.
Compose a function pirate which accepts a string of characters guess and returns the number of characters which match the secret string 'BLACKBEARD'. It should be case-insensitive; that is, you should convert input to upper-case letters. It should return zero for strings which are not ten characters in length.
Your submission should include a function pirate( guess ) which returns a float or int representing the number of matching characters. (You should provide the secret string 'BLACKBEARD' inside the function, not outside of it.)
strings should not have same lengths

Answers

Answer:

figure of merit is a quantity used to characterize the performance of a device, system or method, relative to its alternatives. In engineering, figures of merit are often defined for particular materials or devices in order to determine their relative utility for an application.

Following are the Python program to find the string-matching figure:

Python Program:

def pirate(g):#defining the method pirate that takes one variable in parameter

 if len(g)!= 10:#defining if block that check the parameter length value that is not equal to 10

   return 0   #using the return keyword that return a value that is 0

 else:#defining else block

   g= g.upper()#defining g variable that converts the parameter value into upper value

   secretString = "BLACKBEARD"#defining string variable secretString that holds string value

   c = 0#defining integer variable c that holds integer value

 for i in range(0, len(g)):#defining loop that counts and check value is in string variable

   if g[i] == secretString[i]:#defining if block that checks value in secretString variable

     c += 1; #defining c variable that increments its value

   return c;#using return keyword that return c value

print(pirate("BEACKBEARD"))#using print method that calls pirate method and prints its value

print(pirate("WHITEBEARD"))#using print method that calls pirate method and prints its value

print(pirate("BEARDBLACK"))#using print method that calls pirate method and prints its value

print(pirate("CALICOJACK"))#using print method that calls pirate method and prints its value

Output:

Please find the attached file.

Program Explanation:

Defining the method "pirate" that takes one variable "g" in parameter.Inside the method an if block that checks the parameter length value that is not equal to 10, and uses the return keyword that returns a value that is 0In the else block, define the "g" variable that converts the parameter value into the upper value, and use a string variable "secretString" that holds the string value. In the next step, define an integer variable "c" that holds an integer value, and define a loop that counts and checks the value in a string variable.Inside this, define if block that checks the value in the "secretString" variable, increments the "c" value, and returns the "c" value.Outside the method, a print method that calls the "pirate" method prints its value.

Find out more about the string-matching here:

brainly.com/question/16717135

Write a program, TwoDimentionalGrid. Ask the user to enter the size of the 2 dimensional array. Here we are not doing any input validation. We are assuming, user is going to enter a number greater than 1. Create a 2D array with the same row and column number. Now print the array as a number grid starting at 1. Example: At place row number 3 and column number 2, number would be 6 (3*2). Any number would be the product of it's row number and column number. Hint: Use setw 5. Expected Output: Here I am attaching 2 expected output. Make sure your code is running for both input.

Answers

Answer:

The program in Java is as follows:

import java.util.*;

public class Main{

public static void main(String[] args) {

 Scanner input = new Scanner(System.in);

 System.out.print("Array size: ");

 int n = input.nextInt();

 int[][] myarray = new int[n][n];

 for(int i =0;i<n;i++){

     for(int j =0;j<n;j++){

         myarray[i][j] = i * j;      }  }

 for(int i =0;i<n;i++){

     for(int j =0;j<n;j++){

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

     System.out.println();  }

}}

Explanation:

This prompts the user for the array size

 System.out.print("Array size: ");

This gets input for the array size

 int n = input.nextInt();

This declares the array

 int[][] myarray = new int[n][n];

This iterates through the rows

 for(int i =0;i<n;i++){

This iterates through the columns

     for(int j =0;j<n;j++){

This populates the array by multiplying the row and column

         myarray[i][j] = i * j;      }  }

This iterates through the rows

 for(int i =0;i<n;i++){

This iterates through the columns

     for(int j =0;j<n;j++){

This prints each array element

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

This prints a new line at the end of each row

     System.out.println();  }

}

What are the individual presentation objects that are found in the PowerPoint program and used to display content to an audience?

files
slides
cells
charts

Answers

Answer:

The answer is slides

Explanation:

What does collate means?

Answers

Collate means to compare something or someone
1. collect and combine (texts, information, or sets of figures) in proper order

*came from the dictionary*

Write a program asks the user for an integer N and then adds up the first N odd integers. For example, if the user asks the sum of the first 10 odd integers, the program computes: Use a loop for this. Use instructions and pseudo instructions up to chapter 24. Use exception handler services for input and output. How many odd numbers: 10 The sum: 100 If the user enters a negative integer or non-integer, just print a zero. Start your source file with comments that describe it:

Answers

Answer:

The program in Python is as follows:

while True:

   try:

       num = input("Number of odds: ")

       num = int(num)

       break

   except ValueError:

       print("Invalid integer! ...")

sum = 0

odd = 1

if num > 0:

   for i in range(num):

       sum+=odd

       odd+=2

print("Total:",sum)

Explanation:

This is repeated until a valid integer is inputted

while True:

This uses exception

   try:

This gets the number of odd numbers

       num = input("Number of odds: ")

This converts the input to integer

       num = int(num)

       break

If input is invalid, this catches the exception

   except ValueError:

       print("Invalid integer! ...")

This initializes sum to 0

sum = 0

This initializes odd to 1

odd = 1

If input is positive

if num > 0:

This add the first num odd numbers

   for i in range(num):

       sum+=odd

       odd+=2

This prints the total

print("Total:",sum)


In which views can a user add comments to a presentation? Check all that apply.
Outline view
Normal view
Protected view
Slide Sorter view
Notes Page view

Answers

Note that the view that a user can add comments to in a presentation ar:

Normal View;(Option B) and

Notes Page View. (Option E).

How are the above views defined?


Microsoft PowerPoint affords users three possible approaches for adding comments to their presentations:  Normal view, Notes Page veiw, and Slide Show view via pointer annotations.

In Normal view, users can create straightforward slide-specific feedback by selecting a slide and clicking the "New Comment" buton in the Comments section.

Meanwhile, Notes Page view enables users to enter more detailed feedback by adding notes specifically for each slide's notes section.

Learn more about presentations:
https://brainly.com/question/649397
#SPJ1

Answer: outline & normal view

Explanation:

Which Word 2016 views are located on the Ribbon and the status bar? Choose three answers.

Answers

Answer:

I. Print layout.

II. Read mode.

III. Web layout.

Explanation:

Microsoft Word refers to a word processing software application or program developed by Microsoft Inc. to enable its users to type, format and save text-based documents.

In Microsoft Word, the users are availed with the ability to view the word document in the following modes;

a. Print layout.

b. Web layout.

c. Read mode (Full screen reading).

d. Outline.

e. Draft.

For Microsoft Word 2016, the views that are located on the Ribbon and the status bar include the following;

I. Print layout: this is the default view for Microsoft Word when a compatible document is opened.

II. Read mode: this presents the document in an e-book like manner.

III. Web layout: it displays the document like a web page.

java program question- when I type letter then the txt file1 can read to txt file2 and the output file2 answer. For example, btw in file1 and By the way in txt file2. When I type btw use dialog box and output will show By the way in the console but words come from txt file2.

Answers

Don’t use that link!! They always comment under my stuff and other people have told me that’s just to get your information and location and stuff like that! Be safe and have a nice day

In Scheme, source code is data. Every non-atomic expression is written as a Scheme list, so we can write procedures that manipulate other programs just as we write procedures that manipulate lists.
Rewriting programs can be useful: we can write an interpreter that only handles a small core of the language, and then write a procedure that converts other special forms into the core language before a program is passed to the interpreter.
For example, the let special form is equivalent to a call expression that begins with a lambda expression. Both create a new frame extending the current environment and evaluate a body within that new environment. Feel free to revisit Problem 15 as a refresher on how the let form works.
(let ((a 1) (b 2)) (+ a b))
;; Is equivalent to:
((lambda (a b) (+ a b)) 1 2)
These expressions can be represented by the following diagrams:
Let Lambda
let lambda
Use this rule to implement a procedure called let-to-lambda that rewrites all let special forms into lambda expressions. If we quote a let expression and pass it into this procedure, an equivalent lambda expression should be returned: pass it into this procedure:
scm> (let-to-lambda '(let ((a 1) (b 2)) (+ a b)))
((lambda (a b) (+ a b)) 1 2)
scm> (let-to-lambda '(let ((a 1)) (let ((b a)) b)))
((lambda (a) ((lambda (b) b) a)) 1)
In order to handle all programs, let-to-lambda must be aware of Scheme syntax. Since Scheme expressions are recursively nested, let-to-lambda must also be recursive. In fact, the structure of let-to-lambda is somewhat similar to that of scheme_eval--but in Scheme! As a reminder, atoms include numbers, booleans, nil, and symbols. You do not need to consider code that contains quasiquotation for this problem.
(define (let-to-lambda expr)
(cond ((atom? expr) )
((quoted? expr) )
((lambda? expr) )
((define? expr) )
((let? expr) )
(else )))
CODE:
; Returns a function that checks if an expression is the special form FORM
(define (check-special form)
(lambda (expr) (equal? form (car expr))))
(define lambda? (check-special 'lambda))
(define define? (check-special 'define))
(define quoted? (check-special 'quote))
(define let? (check-special 'let))
;; Converts all let special forms in EXPR into equivalent forms using lambda
(define (let-to-lambda expr)
(cond ((atom? expr)
; BEGIN PROBLEM 19
'replace-this-line
; END PROBLEM 19
)
((quoted? expr)
; BEGIN PROBLEM 19
'replace-this-line
; END PROBLEM 19
)
((or (lambda? expr)
(define? expr))
(let ((form (car expr))
(params (cadr expr))
(body (cddr expr)))
; BEGIN PROBLEM 19
'replace-this-line
; END PROBLEM 19
))
((let? expr)
(let ((values (cadr expr))
(body (cddr expr)))
; BEGIN PROBLEM 19
'replace-this-line
; END PROBLEM 19
))
(else
; BEGIN PROBLEM 19
'replace-this-line
; END PROBLEM 19
)))

Answers

What are you saying at the bottom?

What is the purpose of the Zoom dialog box? to put the selected range in ascending order in a query to put the selected range in descending order in a query to increase the view size of the selected range in a query to decrease the view size of the selected range in a query

Answers

Answer: To increase the view size of the selected range in a query.

Explanation:

The purpose of the Zoom dialog box is to increase the view size of the selected range in a query.

What is dialog box?

A dialog box is a window which generally open on clicking an option.

Zoom dialog box can be opened by right clicking on the text box and select Zoom, or press Shift+F2. In order to format by using the Mini toolbar, first choose the text and then click an option on the toolbar.

Zoom dialog box is used to increase the view size of the selected range in a query.

Learn more about Zoom dialog box.

https://brainly.com/question/13042438

#SPJ2

Kenneth bought a new phone and added two of his friends' numbers to his phonebook. However, he forgot to transfer the phonebook from his previous phone beforehand. Help Kenneth keep the most up-to-date phone numbers for all his friends on his new device. That is, if there is a number saved on both old and new devices for the same friend, you should keep the number saved on the new phone; or if there is only one phone number for a friend, you should keep it, regardless of which device contains it.

Answers

Answer:

The program in Python is as follows:

phonedirs = {'Maegan': 1 , 'McCulloch': 2, 'Cindy': 3}

for i in range(2):

   name = input("Name: ")

   phonenum = int(input("Phone: "))

   phonedirs [name] = phonenum

   

print(phonedirs)

Explanation:

Given

The instruction in the question is incomplete.

See attachment for complete question

Required

Write a code that carries out the 4 instructions in the attachment

See answer section for solution.

The explanation is as follows:

(1) This initializes the phone book

phonedirs = {'Maegan': 1 , 'McCulloch': 2, 'Cindy': 3}

The following is repeated for the two friends

for i in range(2):

(2) This gets the name of each friend

   name = input("Name: ")

(2) This gets the phone number of each friend

   phonenum = int(input("Phone: "))

(3) This updates the phone book with the inputs from the user

   phonedirs[name] = phonenum

(4) This displays the updated phone book    

print(phonedirs)

9.4 code practice edhesive. PLEASE PLEASE PLEASE HELP

Answers

Answer:

a = [[34,38,50,44,39],  

    [42,36,40,43,44],  

    [24,31,46,40,45],  

    [43,47,35,31,26],

    [37,28,20,36,50]]

     

for r in range(len(a)):

   for c in range (len(a[r])):

       if (a[r][c]% 3 != 0):

           a[r][c]=0

for i in range(len(a)):

   for j in range (len(a[i])):

       print(a[i][j], end=" ")

   print(" ")

Explanation:

We start off by declaring an array called "a". As introduced in the previous lessons, we use two for loops to fully go through all the rows and columns of the two-dimensional arrays. We then add in the line that checks if the remainder of any of these is not equal to zero, then print them as zero on the grid.

(I also got 100%)

mark as brainliest pls hehe

In this exercise we have to use the knowledge in computational language in python to describe a code that best suits, so we have:

The code can be found in the attached image.

What is the function range?

The range() function returns a number series in the range sent as an argument. The returned series is an iterable range-type object and the contained elements will be generated on demand. It is common to use the range() function with the for loop structure. In this way we have that at each cycle the next element of the sequence will be used in such a way that it is possible to start from a point and go incrementing, decrementing x units.

To make it simpler we can write this code as:

a = [[34,38,50,44,39],  [42,36,40,43,44],  [24,31,46,40,45],  [43,47,35,31,26],

[37,28,20,36,50]]

for r in range(len(a)):

  for c in range (len(a[r])):

      if (a[r][c]% 3 != 0):

          a[r][c]=0

for i in range(len(a)):

  for j in range (len(a[i])):

      print(a[i][j], end=" ")

  print(" ")

See more about python at brainly.com/question/19705654

What is a common use for append queries?
combining two databases together
mailing payment information to employees
archiving data from live tables to archive tables
sending customers receipts that show their orders

Answers

Answer:

You use an append query when you need to add new records to an existing table by using data from other sources. If you need to change data in an existing set of records, such as updating the value of a field, you can use an update query.

Answer:

The answer is C)archiving data from live tables to archive tables

Explanation:

edg 2021

If the pictures are not the same size when they are selected from a file,

PowerPoint will use AutoCorrect so they are the same size.
the picture will be overcorrected.
these pictures will remain the size as in the file.
the layout should be fit to the slide.

Answers

Answer:

The correct answer is C) the pictures will remain the size as in the file

Explanation:

Microsoft Office PowerPoint is a multi-media presentation tool. It supports, videos, pictures, and hyperlinks.

When a picture is inserted by selection from a file, PowerPoint does not automatically resize. The editor or user will need to manually adjust the size(s) of the picture(s) to fit the dimensions they require.

Cheers

 

Implement the above in c++, you will write a test program named create_and_test_hash.cc . Your programs should run from the terminal like so:
./create_and_test_hash should be "quadratic" for quadratic probing, "linear" for linear probing, and "double" for double hashing. For example, you can write on the terminal:
./create_and_test_hash words.txt query_words.txt quadratic You can use the provided makefile in order to compile and test your code. Resources have been posted on how to use makefiles. For double hashing, the format will be slightly different, namely as follows:
./create_and_test_hash words.txt query_words.txt double The R value should be used in your implementation of the double hashing technique discussed in class and described in the textbook: hash2 (x) = R – (x mod R). Q1. Part 1 (15 points) Modify the code provided, for quadratic and linear probing and test create_and_test_hash. Do NOT write any functionality inside the main() function within create_and_test_hash.cc. Write all functionality inside the testWrapperFunction() within that file. We will be using our own main, directly calling testWrapperFunction().This wrapper function is passed all the command line arguments as you would normally have in a main. You will print the values mentioned in part A above, followed by queried words, whether they are found, and how many probes it took to determine so. Exact deliverables and output format are described at the end of the file. Q1. Part 2 (20 points) Write code to implement double_hashing.h, and test using create_and_test_hash. This will be a variation on quadratic probing. The difference will lie in the function FindPos(), that has to now provide probes using a different strategy. As the second hash function, use the one discussed in class and found in the textbook hash2 (x) = R – (x mod R). We will test your code with our own R values. Further, please specify which R values you used for testing your program inside your README. Remember to NOT have any functionality inside the main() of create_and_test_hash.cc
You will print the current R value, the values mentioned in part A above, followed by queried words, whether they are found, and how many probes it took to determine so. Exact deliverables and output format are described at the end of the file. Q1. Part 3 (35 points) Now you are ready to implement a spell checker by using a linear or quadratic or double hashing algorithm. Given a document, your program should output all of the correctly spelled words, labeled as such, and all of the misspelled words. For each misspelled word you should provide a list of candidate corrections from the dictionary, that can be formed by applying one of the following rules to the misspelled word: a) Adding one character in any possible position b) Removing one character from the word c) Swapping adjacent characters in the word Your program should run as follows: ./spell_check
You will be provided with a small document named document1_short.txt, document_1.txt, and a dictionary file with approximately 100k words named wordsEN.txt. As an example, your spell checker should correct the following mistakes. comlete -> complete (case a) deciasion -> decision (case b) lwa -> law (case c)
Correct any word that does not exist in the dictionary file provided, (even if it is correct in the English language). Some hints: 1. Note that the dictionary we provide is a subset of the actual English dictionary, as long as your spell check is logical you will get the grade. For instance, the letter "i" is not in the dictionary and the correction could be "in", "if" or even "hi". This is an acceptable output. 2. Also, if "Editor’s" is corrected to "editors" that is ok. (case B, remove character) 3. We suggest all punctuation at the beginning and end be removed and for all words convert the letters to lower case (for e.g. Hello! is replaced with hello, before the spell checking itself).
Do NOT write any functionality inside the main() function within spell_check.cc. Write all functionality inside the testSpellingWrapper() within that file. We will be using our own main, directly calling testSpellingWrapper(). This wrapper function is passed all the command line arguments as you would normally have in a main

Answers

This question is way to long I don’t even understand what your asking

One of your start-ups uses error-correcting codes, which can recover the original message as long as at least 1000 packets are received (not erased). Each packet gets erased independently with probability 0.8. How many packets should you send such that you can recover the message with probability at least 99%

Answers

Answer:

Number of packets ≈ 5339

Explanation:

let

X = no of packets that is not erased.

P ( each packet getting erased ) = 0.8

P ( each packet not getting erased ) = 0.2

P ( X ≥ 1000 ) = 0.99

E(x) = n * 0.2

var ( x ) = n * 0.2 * 0.8

∴ Z = X - ( n * 0.2 ) / [tex]\sqrt{n*0.2*0.8}[/tex]   ~ N ( 0.1 )

attached below is the remaining part of the solution

note : For the value of n take the positive number

public class Dog
{
/* code not shown */
}
public class Dachshund extends Dog
{
/* code not shown */
}
Assuming that each class has a default constructor, which of the following are valid
declarations?
I. Dog sadie = new Dachshund();
II. Dachshund aldo = new Dachshund();
III. Dachshund doug = new Dog();

Answers

Answer:

dog=1/3=1/4

Explanation:

what are examples of widgets

Answers

some examples of widgets are event countdowns, website visitors counter, clocks, daily weather report, etc.

the largest network in tje world is​

Answers

the largest network in the world is the internet.

Answer:

it should be the internet

Draw a chart showing the crossing between red and white flowered pea plants till F2 generation. Find out the genotypic and phenotypic ratio of F2 generation. When the mating of black and white rats takes place, all the offspring produced in first generation are black. Why there are no white rats?

Answers

Answer:

part 1

F1 cross -

RR * rr

Rr, Rr, Rr, Rr

F2 Cross

Rr * Rr

RR, Rr, Rr, rr

Part 2

Black is dominant over white

Explanation:

Let the allele for red color trait be R and white color trait be r

Red is dominant over white

Genotype of true breeding parents

Red - RR

white - rr

F1 cross -

RR * rr

Rr, Rr, Rr, Rr

All the offspring are red and of genotype Rr

F2 Cross

Rr * Rr

RR, Rr, Rr, rr

RR: Rr: rr = 1:2:1

Phenotype ration

red (RR, Rr) : white (rr)

3:1

part 2

Black is dominant over white

hence, in first generation cross all mice become white

What are the disadvantages of using a series circuit in a lighting system?

Answers

Answer:

Throughout the following segment, the disadvantages of the given topic are summarized.

Explanation:

It's indeed impossible to monitor each unit, but the entire series can be switched open or closed.Unless the series-connected components vary in any way, they include varying voltages through themselves which could create difficulty when you both need a certain voltage.Working with such positive and negative sequence loads on sequence is extremely challenging.

Pleaseeeeee help!!!!

Answers

Answer:

1.klone

2.internet information services

3.nginx web server

4 apache HTTP

I hope you like it


Write the Flowchart to find Even number between 1 to 50

Answers

Answer:

See attachment for flowchart

Explanation:

Required

Flowchart to fine even from 1 to 50

The flowchart has been attached.

The rough algorithm (explanation) of the flowchart is as follows.

1. Start

2. Initialize num to 1

3. Check if num is less than or equal to 50

  3.1 If yes

      3.1.1 Check if num is even

      3.1.1.1 If yes

         3.1.1.2 Print num

  3.1.3 Increase num by 1

 3.2 If num is greater than 50

    3.2.1 Stop

4. Goto 3

What is the main difference between sequential and parallel computing?

Answers

Answer:

In sequential composition, different program components execute in sequence on all processors. In parallel composition, different program components execute concurrently on different processors. In concurrent composition, different program components execute concurrently on the same processors.

The differences is that in sequential, a lot of program parts exist that help execute in stages on all given processors. While in parallel a lot of program parts execute concurrently on more than one processors.

What is the difference between parallel and sequential?

Parallel computing is one where a given processes that is running do not wait for the former process to be done before it runs.

While Sequential is one where the process are said to be executed only by doing  one at a time.

Therefore, the differences is that in sequential, a lot of program parts exist that help execute in stages on all given processors. While in parallel a lot of program parts execute concurrently on more than one processors.

Learn more about processors from

https://brainly.com/question/614196

What does Al stand for?
B. Artificial Ingenuity
A. Actual Intelligence
C. Artificial Intelligence
D. Algorithm Intel

Answers

AI stands for Artificial Intelligence

Consider the language defined by the following regular expression. (x*y | zy*)* Does zyyxz belong to the language? Yes, because xz belongs to both x*y and zy*. Yes, because both xz and zyy belong to zy*. Yes, because zyy belongs to both x*y and zy*. No, because zyy does not belong to x*y nor zy*. No, because zyy belongs to zy*, but does not belong to x*y. No, because xz does not belong to x*y nor zy*. Does zyyzy belong to the language? Yes, because zy belongs to both x*y and zy*. Yes, because zyy belongs to both x*y and zy*. Yes, because both zy and zyy belong to zy*. No, because zy does not belong to x*y nor zy*. No, because zyy does not belong to x*y nor zy*. No, because zyy belongs to zy*, but does not belong to x*y

Answers

Answer:

Consider the language defined by the following regular expression. (x*y | zy*)* 1. Does zyyxz belong to the language?

O. No, because zyy does not belong to x*y nor zy*

2. Does zyyzy belong to the language?

Yes, because both zy and zyy belong to zy*.

Explanation:

a predecessor of a work processor is​

Answers

Answer: Printing of documents was initially accomplished using IBM Selectric typewriters modified for ASCII-character input. These were later replaced by application-specific daisy wheel printers, first developed by Diablo, which became a Xerox company, and later by Qume.

Explanation:

Other Questions
According to Winfield, what two laws did President Santa Anna approve that incited Texans to revolt? (b) Why is nitrogen used for storage of semenin artificial insemination? Swizer Industries has two separate divisions. Division X has less risk so its projects are assigned a discount rate equal to the firm's WACC minus 0.5 percent. Division Y has more risk and its projects are assigned a rate equal to the firm's WACC plus 1 percent. The company has a debt-equity ratio of 0.45 and a tax rate of 35 percent. The cost of equity is 14.7 percent and the aftertax cost of debt is 5.1 percent. Presently, each division is considering a new project. Division Y's project provides a 12.3 percent rate of return and Division X's project provides an 11.64 percent return. Which projects, if any, should the company accept what is the difference between secondary and primary sampling May someone please help me with this :) help!!!!!!!!!!!!!!!!!!!!!!!1 Oswald told Sarah that 12405/6 > 12 for 40 which of the following explains why oswald is correct or incorrect A Oswald is correct because multiplying always gives you bigger numbersB Oswald is correct because 5/6 is bigger than one,so that makes it bigger than 1240C os wald is incorrect because you really divide to work this out, which makes the result smaller Doswald is incorrect because 5/6 is smaller than 1 and multiplying by less than one gives a smaller number To move in a curved path around a centerAnswersA: rotate B: revolve C: season D: orbit how has the role of marketing changed the way agribusiness operate? please please i need help i did not understand it 13 A shoe company is going to close one of its two stores and combine all the inventory from both stores. These polynomials represent the inventory in each store: 1 Store A: 7 + 2 2 Store B: 392 - 1 g+ 5 4 Which expression represents the combined inventory of the two stores? what is 28.086 as a %? Pls help ! I have a couple of minutes left. Select the correct text in the passage.Which detail best supports the writer's idea that "statesmanship is not an abstract skill, but a contextual one'?adapted from Lincoln the Greatby Wilfred W. McClayWhich brings us to the question of Lincoln's halfway measures, whose fuller context we need to remember. He rose to prominence as apolitician who was antislavery but also anti-abolitionist. The strategy he preferred would have contained the spread of slavery, then graduallyeliminated it -as opposed to overturning the Institution in one grand liberatory' gesture. Such a position perhaps seems incoherent now, and it[Lincoln's strategy] failed in the end, since the South concluded that it could not trust President Lincoln, who received not a single electoral votefrom the South, to protect its "peculiar institution." But it was a position predicated on Lincoln's belief that the maintenance of the Union was thekey to all other political goods.We find it harder to swallow Lincoln's frank disbelief in racial equality and his support for African colonization schemes. That such positions werecommon, even mildly progressive, in his day does not count for much with us. But what should count for us is the fact that, in the maelstrom ofwar, Lincoln overcame his disinclinations to see that the Union could only be preserved if it sought to achieve something greater than its ownsurvival.Statesmanship is not an abstract skill, but a contextual one, highly specific to the circumstances it finds. It is irresistible to wonder what kind ofleader Lincoln would have been had there been no secession attempt after his election, or had he lived to be a postwar president. That thequestion is almost impossible to answer Intelligently, though, tells us a great deal. Lincoln was above all a war president. Like it or not, thatcondition of history defined him. He was not elected to be such a president. He might have been no more effective in peacetime than AndrewJohnson was. And he might well have found out, as Winston Churchill or George H. W. Bush later did, that voters prefer very different kinds ofleaders in times of peace and war. We will never know. In any event, such was not to be his destiny. help will mark brainliest Who does little red riding hood meet on her way to grannys Book - little red riding hood Please help please!!!!!! Which selection from the section "Slowing the Spread" BEST explains what epidemiologists mean by "flattening the curve"?Question 1 options:All these decisions by public officials and businesses are aimed at one goal: slowing down the spread of the virus to avoid overburdening a health care system that doesn't have the infrastructure to handle a sudden surge of tens of thousands of cases at once.But every indication is that the United States is on track to see the same exponential increase other countries are seeing, as scientist Mark Handley has been tracking on Twitter.Epidemiologists study diseases and how they spread. They can somewhat predict how many cases of a disease are going to occur based on how the disease is behaving.The only reason total U.S. cases aren't already skyrocketing is that coronavirus testing has been such a mess that too few people just 77 by the Centers for Disease Control and Prevention (CDC) in the whole week of March 8 are being tested. You can't count cases you haven't identified yet. The news article says all of the following except CAN SOMEONE PLEASE HELP ME WITH THIS, TELL ME THE ANSWER AND HOW YOU GOT IT