Questions
what are your views on the targeting of products to children in today's world? discuss the...

what are your views on the targeting of products to children in today's world? discuss the issue of targeting to children from the traditional perspective below: 1. that of a brand manager who is responsible for the profitability of a child-oriented product.

In: Operations Management

What is EVA and how is it calculated?  What are some of its attributes? How does...

What is EVA and how is it calculated?  What are some of its attributes? How does it compare with other similar metrics

In: Finance

Rewrite the following program so    that the counting of the a's and    total count...

Rewrite the following program so
   that the counting of the a's and
   total count are done be
   separate functions
  
   The code you turn in should have 2 functions
*/

#include<stdio.h>

int main(void){
  
   char input[81];               // Input string
   int a=0, total=0;           // counter variables              
  
   // Ask for an input string
   puts(" Input a string of up to 80 characters and\n"
   " I will tell you how many a\'s it contains \n"
   " as well as a total character count.\n\n");
  
   fputs(" ",stdout);               // just make things line up

   // read the input string
   fgets(input,80,stdin);

   while(input[total] != '\0'){                       // go through the string

       if(input[total] == 'a' || input[total] == 'A')   // count the number of a's
           a++;

       total++;                       // total character count
   }
  
   total--;                           // fgets reads the newline - we don't want to count that
  
   // output the results
   printf(" %d a\'s and %d total characters.\n",a,total);
  
   return 0;
}

In: Computer Science

Thirty-three small communities in Connecticut (population near 10,000 each) gave an average of x = 138.5...

Thirty-three small communities in Connecticut (population near 10,000 each) gave an average of x = 138.5 reported cases of larceny per year. Assume that σ is known to be 41.5 cases per year. (a) Find a 90% confidence interval for the population mean annual number of reported larceny cases in such communities. What is the margin of error? (Round your answers to one decimal place.)

lower limit    
upper limit    
margin of error    


(b) Find a 95% confidence interval for the population mean annual number of reported larceny cases in such communities. What is the margin of error? (Round your answers to one decimal place.)

lower limit    
upper limit    
margin of error    


(c) Find a 99% confidence interval for the population mean annual number of reported larceny cases in such communities. What is the margin of error? (Round your answers to one decimal place.)

lower limit    
upper limit    
margin of error    

In: Math

Are teacher indeed called to "orchestrators of social learning" as well as cultural meditators" and "cultural...

Are teacher indeed called to "orchestrators of social learning" as well as cultural meditators" and "cultural organizers" within thier classroom? How much resposibility do teachers have to address equity issues through "cultural-responsive" teaching? Can teachers design lessons that reflect cultural and ethnic diveristy and still facilitate academic learning environments while also promoting academic achievment for all?

In: Psychology

B. Summarize 2 of the following: 1. Marcia's identity Statuses, 2. Murstein's Stimulous Value- Role Theory,...

B. Summarize 2 of the following: 1. Marcia's identity Statuses, 2. Murstein's Stimulous Value- Role Theory, 3. Sternberg's Triangular Theory of love. Please share why you chose to summarize the 2 that you did.

In: Psychology

What is the WACC and how is it calculated?  Are there any other names a company...

What is the WACC and how is it calculated?  Are there any other names a company might use for metrics used by the company and based on the WACC?  In what calculations/analyses might a company use the WACC? How are the cost of debt and cost of equity calculated?  Include in your discussion taxes, RATE, and CAPM

In: Finance

MOAC70-410R2-Lab13 - Installing Domain Controllers

MOAC70-410R2-Lab13 - Installing Domain Controllers

In: Computer Science

Implement a priority queue using a DoublyLinkedList where the node with the highest priority (key) is...

Implement a priority queue using a DoublyLinkedList where the node with the highest priority (key) is the right-most node.

The remove (de-queue) operation returns the node with the highest priority (key).
If displayForward() displays List (first-->last) : 10 30 40 55
remove() would return the node with key 55.

You will then attach priorityInsert(long key) and priorityRemove() methods). AND Use the provided PQDoublyLinkedTest.java to test your code.

BOTH CODES SHOULD WORK TOGETHER, YOU JUST HAVE TO ADD priorityInsert(int). PLEASE PROVIDE CORRECT CODE.

class Link {
public long dData;
public Link next;
public Link previous;

public Link(long d) {
dData = d;
}

public void displayLink() {
System.out.print(dData + " ");
}
}

class DoublyLinkedList {
private Link first;
private Link last;
public DoublyLinkedList() {
first = null;
last = null;
}

public boolean isEmpty() {
return first == null;
}

public void insertFirst(long dd) {
Link newLink = new Link(dd);

if (isEmpty())
last = newLink;
else
first.previous = newLink;
newLink.next = first;
first = newLink;
}

public void insertLast(long dd) {
Link newLink = new Link(dd);
if (isEmpty())
first = newLink;
else {
last.next = newLink;
newLink.previous = last;
}
last = newLink;
}

public Link deleteFirst() {
Link temp = first;
if (first.next == null)
last = null;
else
first.next.previous = null;
first = first.next;
return temp;
}

public Link deleteLast() {
Link temp = last;
if (first.next == null)
first = null;
else
last.previous.next = null;
last = last.previous;
return temp;
}

public boolean insertAfter(long key, long dd) {
Link current = first;
while (current.dData != key){
current = current.next;
if (current == null)
return false;
}
Link newLink = new Link(dd);
if (current == last) {
newLink.next = null;
last = newLink;
}
else {
newLink.next = current.next;
current.next.previous = newLink;
}
newLink.previous = current;
current.next = newLink;
return true;
}

public Link deleteKey(long key) {
Link current = first;
while (current.dData != key) {
current = current.next;
if (current == null)
return null;
}
if (current == first)
first = current.next;
else
current.previous.next = current.next;
if (current == last)
last = current.previous;
else
current.next.previous = current.previous;
return current;
}

public void displayForward() {
System.out.print("List (first-->last): ");
Link current = first;
while (current != null)
{
current.displayLink();
current = current.next;
}
System.out.println("");
}

public void displayBackward() {
System.out.print("List (last-->first): ");
Link current = last;
while (current != null)
{
current.displayLink();
current = current.previous;
}
System.out.println("");
}

public void insertSorted(long key) {
if (isEmpty() || key < first.dData) {
insertFirst(key);
return;
}

Link current = first;
while (current.next != null) {
if (key >= current.dData && key <= current.next.dData) {
Link lnk = new Link(key);
lnk.next = current.next;
current.next.previous = lnk;
current.next = lnk;
lnk.previous = current;
return;
}
current = current.next;
}
insertLast(key);
}

}

public class PriorityLinkQueue {
private DoublyLinkedList list;
public PriorityLinkQueue() {
list = new DoublyLinkedList();
}

public void insert(long key) {
list.insertSorted(key);
}

public long remove() {
if (list.isEmpty()) {
throw new RuntimeException("Priority Queue is empty!");
}
return list.deleteLast().dData;
}

public boolean isEmpty() {
return list.isEmpty();
}

public void displayForward() {
list.displayForward();
}

  
}

-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------

class PQDoublyLinkedTest.JAVA ->>> ONLY FOR TESTING, DO NOT CHANGE ANYTHING IN PQDoublyLinkedTest.JAVA

public class PQDoublyLinkedTest
{
public static void main(String[] args)
{ // make a new list
DoublyLinkedList theList = new DoublyLinkedList();

theList.priorityInsert(22); // insert at front
theList.priorityInsert(44);
theList.priorityInsert(66);

theList.priorityInsert(11); // insert at rear
theList.priorityInsert(33);
theList.priorityInsert(55);
  
theList.priorityInsert(10);
theList.priorityInsert(70);
theList.priorityInsert(30);

theList.displayForward(); // display list forward
Link2 removed = theList.priorityRemove();
System.out.print("priorityRemove() returned node with key: ");
removed.displayLink2();
  
} // end main()
} // end class PQDoublyLinkedTest

In: Computer Science

QUESTION 5 The owner of a leased property conveys possession of the property to the tenant...

QUESTION 5

  1. The owner of a leased property conveys possession of the property to the tenant providing them with uninterrupted us of the property without interference from the owner. This is known as

    consideration

    quiet enjoyment

    sole use

    tenant improvement

QUESTION 6

  1. _________ property leases contain a clause that indicates the purpose for which a space may be used.

    residential

    commercial

    rural

    suburban

QUESTION 7

  1. For apartment leases, what is the industry standard for the lease term?

    6 months

    1 year

    2 years

    there is no industry standard

QUESTION 8

  1. The _______ is the amount a landlord agrees to spend to build out or refurbish the space to meet the needs of the tenant's business.

    tenant concessions

    owner consideration

    tenant improvement allowance

    expense stop

QUESTION 9

  1. Rent for U.S. commercial properties is typically quoted as a(n)

    dollar amount per month

    dollar amount per year

    monthly cost per square foot

    Annual cost per square foot

QUESTION 10

  1. The amount paid by retail tenants in percentage leases regardless of the level of the sales generated by the tenant's business is

    flat rent

    base rent

    percentage rent

    graduated rent

QUESTION 11

  1. Shopping center leases often include a clause that ties total rent payments to the tenant's sales revenue. This type of rent is known as

    flat rent

    base rent

    percentage rent

    graduated rent

QUESTION 12

  1. Rent that has specified increases over the term of the lease is called

    flat rent

    base rent

    percentage rent

    graduated rent

QUESTION 13

  1. A lease in which the owner pays all of the property's operating expenses is called a

    net lease

    gross lease

    net net lease

    triple net lease

QUESTION 14

  1. A lease in which the tenant pays the property taxes and insurance is called a

    net lease

    gross lease

    net net lease

    triple net lease

QUESTION 15

  1. In which type of lease is the tenant responsible for all operating expenses?

    net lease

    gross lease

    net net lease

    triple net lease

QUESTION 16

  1. Which of the following would typically be considered an operating expense controllable by the owner?

    general maintenance

    property taxes

    insurance payments

    utility expenses

QUESTION 17

  1. Lease clauses that reduce the cost of the lease to the tenant and therefor provide an incentive for the tenant to lease the space are called

    common area clauses

    concessions

    alterations

    assignments

QUESTION 18

  1. When ALL of a tenant's rights and obligations are transferred to another party, what has occurred?

    sublease

    lease option

    lease renewal

    lease assignment

QUESTION 19

  1. Lease clause that gives the tenant the right, but not the obligation, to renew the lease.

    cancelation option

    renewal option

    expansion option

    lease option

QUESTION 20

  1. Lease clause that obligates the property owner to find space for the tenant to expand the size of their leased space is called a(n):

    cancelation option

    renewal option

    expansion option

    lease option

In: Operations Management

I believe in A. Mind-body dualism—there is more to “mind” than just the physical self. B....

I believe in

A. Mind-body dualism—there is more to “mind” than just the physical self.

B. Monism—the “mind” is what the brain does.

C. I’m just not sure.

Please choose your answer and explain your choice as indicated by the directions by explaining your thoughts with at least 175 words per entry at minimum to help demonstration elaboration of concepts.

In: Psychology

Explain how you would improve the motivation of a team that you are responsible for. Assume...

Explain how you would improve the motivation of a team that you are responsible for. Assume the team is on a contingent pay plan. How does Expectancy, Instrumentality, and Valence work into the plan? What role could coaching have in the plan?

the subject is evaluation, coaching, and mentoring

In: Operations Management

how would adding acid to a buffer solution would change the value of ph? Will the...

how would adding acid to a buffer solution would change the value of ph?

Will the pH value increase or decrease?

what if we add base to a buffer solution? how would that change the value of pH of the buffer? increase or decrease ?

and could you please explain why?

Thanks!

In: Chemistry

Personal selling likely to be MOST important when: - the distribution network is well established (as...

Personal selling likely to be

MOST

important when:

- the distribution network is well established (as opposed to poorly established).

- prices are negotiable (instead of fixed list prices) because of industry competition.

- the product is simple (as opposed to complex), requiring no demonstration.

- the target market is composed of thousands of small customers (as opposed to 50 large customers).

Kay was widely recognized in her firm and the industry as a superb leader and sales manager. The reps who

worked for her talked about her ability to motivate the sales force based on:

- the industry standards, which she had helped create

- the firm’s policies and procedures

- what was most important to each individual

- the sales contests she created which were always fair and always had a vacation at an exotic resort as a

prize

Which of the following best describes a salesperson who would be categorized as a value spendthrift?

- concedes on price in order to quickly close sales deals

- regularly gains more business at the same price

- believes management pursues a value-driven strategy

- documents claims to customers about superior monetary value

Which is

NOT

an advantage of a territorial sales force structure?

- Accountability is clearly defined for each salesperson.

- Each salesperson’s job is clearly defined.

- Salespeople have the opportunity and incentive to build strong relationships with customers.

- Salespeople develop in-depth knowledge of a product line.

Which explains why many firms have adopted the team selling approach to service large, complex accounts?

- Products have become too complicated for one salesperson to support.

- Customers prefer dealing with many salespeople rather than one salesperson.

- Salespeople prefer working in groups because of the opportunity for flex hours and job sharing.

- A group of salespeople assigned to one account is cost effective for corporations.

A potential drawback of using the latest sales technologies to make sales presentations and service accounts?

- Salespeople are more likely to use a “one-size-fits-all” selling approach.

- The cost of the technology outweighs any savings gained in eliminating the need for travel.

- The systems can intimidate some clients and salespeople, making them uncomfortable with the process.

- The technologies limit the degree of creativity a salesperson can use in making sales presentations.

Management uses the workload approach to ________.

- set the size of the sales force

- determine product availability

- identify desirable characteristics of the sales force

- establish sales quotas

Which activity is

NOT

typical for a sales assistant?

- call ahead and confirm appointments

- determine price points

- complete administrative tasks

- follow up on deliveries

An advantage of the straight commission compensation plan is that it:

- minimizes fluctuations in salesperson’ earnings.

- stimulates missionary selling, i.e., seeking out new customers.

- reduces the cost of selling as a percentage of net sales.

- encourages the salesperson to sell aggressively.

In: Finance

What's the different between force and motion in your own word

What's the different between force and motion in your own word

In: Physics