Questions
In recent years the Fed’s monetary target has been the federal funds rate. How does the...

In recent years the Fed’s monetary target has been the federal funds rate. How does the Fed raise or lower that rate, and how is that rate related to other interest rates in the economy such as the prime rate?

In: Economics

Many descriptions about matter-antimatter asymmetry starts with the statement that observed baryon to photon density (about...

Many descriptions about matter-antimatter asymmetry starts with the statement that observed baryon to photon density (about 6.1x10^(-10)) is too small. What is the reason? What ratio is expected?

In: Physics

BSF Co., which produces and sells skiing equipment, is financed as follows: Bonds payable, 10% (issued...

BSF Co., which produces and sells skiing equipment, is financed as follows:

Bonds payable, 10% (issued at face amount) $2,200,000

Preferred 1% stock, $10 par 2,200,000

Common stock, $25 par 2,200,000

Income tax is estimated at 60% of income. Round your answers to the nearest cent.

a. Determine the earnings per share of common stock, assuming that the income before bond interest and income tax is $814,000. ? per share

b. Determine the earnings per share of common stock, assuming that the income before bond interest and income tax is $1,034,000. ? per share

c. Determine the earnings per share of common stock, assuming that the income before bond interest and income tax is $1,254,000. ? per share

In: Accounting

PLEASE ANSWER QUESTIONS BY YOUR OWN WORD, I WANT YOUR ANSWER NOT WEB. "Define professionalism." "What...

PLEASE ANSWER QUESTIONS BY YOUR OWN WORD, I WANT YOUR ANSWER NOT WEB.

"Define professionalism."

"What did you think of Team-Based Learning? Have you been in a leadership role and give an example?" ( I UNDERSTAND EVERYONE HAS DIFFERENT EXPERIENCE, I WOULD LIKE TO KNOW ABOUT YOURS)

In: Psychology

Hello, I would like to know there is a known vulnerabilities for an SQL server on...

Hello, I would like to know there is a known vulnerabilities for an SQL server on Windows operating systems and should databases have the ability to set a policy and enforce the rules that the password should abide by?

In: Computer Science

In the Stack Module I gave you a project that shows how to create a Stack...

In the Stack Module I gave you a project that shows how to create a Stack using doubly linked nodes.

StackWithDoublyLinkedNodes.zip

It is a template class that needs the Node class. You must use this same Node class (no alterations) to create a Queue class .

public class Queue <T>{

}

Use the NetBeans project above as an example.

I have put a driver program (q1.java) in the module. Also here:  q1.java This driver program should then run with your Queue class (no modifications allowed to the driver program).

Your Queue class should have at least the following methods: one or more constructors, enqueue, dequeue, peek, isEmpty, size, makeEmpty.

MUST INCLUDE:

Template Class

constructor

enqueue

dequeue

peek

isEmpty

size

makeEmpty

/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////

Q1.java

public class Q1 {

public static void main(String[] args) {

Queue <String> myQ = new Queue<String>(); //string Q

String[] names = {"harry", "mary", "mosi", "sadie","tom", "janice"};

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

myQ.enqueue(names[i]);

System.out.println("Size is " + myQ.getSize());

for (int i=0; i<6; i++)

System.out.println(myQ.dequeue()); //test that it also works for integers

Integer[]numbers={4,5,6,7,8,17,100};

Queue<Integer> myI = new Queue<Integer>(); //Integer Q

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

myI.enqueue(numbers[i]);

System.out.println("Size is " + myI.getSize());

//Verify it adds (and is an integer Q) and doesn't concatenate(String Q)

int total=0;

int tempSize=myI.getSize();

System.out.println("Integers in Queue are:");

for (int i=0; i<tempSize; i++)

//cannot use getSize() here because it changes every time you dequeue

{Integer val = myI.dequeue();

System.out.print(val+ " ");

total=total+val;

}

System.out.println("\nTotal is:" + total);

}

}

/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////

StackWithDoublyLinkedNodes.java

public class StackWithDoublyLinkedNodes {

/**
* @param args the command line arguments
*/
public static void main(String[] args) {
// TODO code application logic here
Stack<Integer> s = new Stack<Integer>();

Integer[] x = {0, 1, 2, 3, 4, 5, 6, 7, 8, 9};

for (int i = 0; i < x.length; i++) {
Integer t = x[i];
s.push(t);
}
while (!s.isEmpty()) {
System.out.println(s.pop());
}
  
//verify the stack is empty and that
//we took care of the issues
//of trying to pop an empty stack
//and peek at the top of an empty stack
System.out.println(s.pop());   
System.out.println(s.peek());
System.out.println("********************************");
//repeat using a stack of Strings
System.out.println("Repeat using a Stack of Strings");
Stack<String> s1 = new Stack<String>();

String[] x1 = {"Hi", "Bye", "One", "Four","CMPSC"};

for (int i = 0; i < x1.length; i++) {
String t1 = x1[i];
s1.push(t1);
}
while (!s1.isEmpty()) {
System.out.println(s1.pop());
}
}

}

/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////

Stack.java

public class Stack<T> {

private Node head;
private int size;

Stack() {
head = null;
size = 0;
}

public void push(T newItem) {
Node temp = new Node(newItem);
if (this.isEmpty()) {
head = temp;
} else {
temp.setNext(head);
head.setPrev(temp);
head = temp;
}
size++;
}

public T pop() {
if (isEmpty()) {
return (T)"Empty List";
}
T temp = (T) head.getItem();
head = head.getNext();
if (head != null) {
head.setPrev(null);
}
size--;
return temp;
}

public T peek() {
if(isEmpty()){
return (T)"Empty List";
}
return (T) head.getItem();
}

public int getSize() {
return size;
}

public boolean isEmpty() {
return size == 0;
}

}

/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////

Node.java

public class Node<T> {
//Node makes item, next, and prev all private
//and therefore has to provide accessors
//and mutators (gets and sets)
private T item;
private Node next;
private Node prev;

Node(T newItem) {
item = newItem;
next = null;
prev = null;
}

Node(T newItem, Node nextNode, Node prevNode) {
item = newItem;
next = nextNode;
prev = prevNode;
}

/**
* @return the item
*/
public T getItem() {
return item;
}

/**
* @param item the item to set
*/
public void setItem(T item) {
this.item = item;
}

/**
* @return the next
*/
public Node getNext() {
return next;
}

/**
* @param next the next to set
*/
public void setNext(Node next) {
this.next = next;
}

/**
* @return the prev
*/
public Node getPrev() {
return prev;
}

/**
* @param prev the prev to set
*/
public void setPrev(Node prev) {
this.prev = prev;
}

}

In: Computer Science

Language: Java To be able to code a class structure with appropriate attributes and methods. To...

Language: Java

To be able to code a class structure with appropriate attributes and methods. To demonstrate the concept of inheritance. To be able to create different objects and use both default and overloaded constructors. Practice using encapsulation (setters and getters) and the toString method.

Create a set of classes for various types of video content (TvShows, Movies, MiniSeries). Write a super or parent class that contains common attributes and subclasses with unique attributes for each class. Make sure to include the appropriate setter, getter methods and toString to display descriptions in a nicely formatted output. In addition to default constructors, define overloaded constructors to accept and initialize class data. When using a default constructor, use the setter from the main program to set values. Use a static variable to keep track of the number of objects in the video library. Display the number of items prior to listing them.

Data for movies should contain attributes for the title, release date, genre, studio, and streaming source (Netflix, Prime or Hulu).

Data for TvShow should contain the title, genre (same as others), date of the first episode, number of seasons, network, and running time.

Data for MiniSeries should include attributes for title, genre (same as others), number of episodes, running time, lead actor or actress.

Create a main driver class to create several objects of each type of video content. Use examples of both the default and overloaded constructors. Then display your complete video library with all fields.

All required variables are members of the class. Appropriate use of access specifiers. Encapsulation is implemented with setters and getters. Code is well structured and commented. Code meets standard Java conventions.

There is a default (no-arg) constructor, and an overloaded constructor for each video type. Objects created all have appropriate data content. A static variable is implemented and correctly counts objects created.

Methods are established in the class for all appropriate setters and getters. Inheritance is properly demonstrated with appropriate attributes, methods, and object instantiation.

The VideoLibrary class properly creates all the required objects and displays the entire video library with the number of items and all the data content in a nicely formatted output.

In: Computer Science

this week we are studying Flowcharting and the different ways in which they can be useful...

this week we are studying Flowcharting and the different ways in which they can be useful for accounting information systems.
Present in your words an overview of the benefits and uses of Flowcharts. If you were a new employee of a company, how could the use of Flowcharts help you understand the systems of the organization?

Note:Could you please don't use your handwriting to answer this question to be easy for me to solve...Thanks

In: Accounting

New to C programming and I am stuck. The program will print "no input" if no...

New to C programming and I am stuck. The program will print "no input" if no input is given. If a command line argument is given the program will print "input:" followed by the user input. Below is the code I put together to do as desired but I get errors. What do I need to fix to get my code to compile correctly?

#include <stdio.h>
#include <stdlib.h>

int main ()

{
char input;
scanf("%c", &input);
if (input == NULL)
{
printf("no input");

}
else
{
printf("input:",input);
  
}
return 0;
}

In: Computer Science

You are a manager in a large manufacturing company. The board of directors has asked you...

You are a manager in a large manufacturing company. The board of directors has asked
you to find out why there has been a considerable drop in the number of items produced
in the last financial quarter.
Explain what you will do to find out the cause of the problem and recommend a solution
to the problem.

at least two ways of gathering
information and one valid approach to
problem solving

In: Operations Management

You wish to apply for a job which requires the applicant to have experience of working...

You wish to apply for a job which requires the applicant to have experience of working
in a team.
Explain how will you adapt your CV to make it relevant for the job you are applying for?

Explain how you will of adapt your CV to
match the criteria of the job you are applying
for highlight experience of working
in team/s

In: Operations Management

The angular position of a point on the rim of a rotating wheel is given by...

The angular position of a point on the rim of a rotating wheel is given by θ = 3.38t - 2.46t2 + 2.61t3, where θ is in radians and t is in seconds. What are the angular velocities at (a) t = 1.17 s and (b) t = 9.53 s? (c) What is the average angular acceleration for the time interval that begins at t = 1.17 s and ends at t = 9.53 s? What are the instantaneous angular accelerations at (d) the beginning and (e) the end of this time interval?

In: Physics

Write code for a simple snake game (using dots) on C program. Using openframeworks. it should...

Write code for a simple snake game (using dots) on C program.

Using openframeworks. it should be simple because I am new to coding and I cant write complicated code.

just make it simple.

In: Computer Science

QUESTION 7 (6 + 6 = 12 marks) (a) With the aid of appropriate diagrams, explain...

QUESTION 7 (6 + 6 = 12 marks)
(a) With the aid of appropriate diagrams, explain the following three polarization mechanisms amongst
dielectric materials: (i) electronic, (ii) ionic and (iii) orientational.
(b) For diamond, solid KCl, and liquid Hg (mercury) what kind(s) of polarization (e.g. electronic, ionic
and/or orientation) is (are) possible?

In: Physics

I JUST WANT TO FIND OUT HOW TO CALCULATE THE 189,540 MONEY AMOUNT OF COMMON STOCK...

I JUST WANT TO FIND OUT HOW TO CALCULATE THE 189,540 MONEY AMOUNT OF COMMON STOCK IN PART C?

THANK YOU!

In 2013, Elizabeth and some of her friends invested money to start a company named LADIEZ Corporation. The following transactions occurred during 2013:

Jan 1 The corporate charter authorized 72,000, $4 cumulative preferred stock and unlimited common stock up to a maximum amount of $21,000,000 to be issued.
Jan 6 Issued 178,000 common shares at $18 per share. Shares were issued to Elizabeth and other investors.
Jan 7 Issued another 540 common shares to Elizabeth in exchange for her legal services in setting up the corporation. The Stockholders agreed that the legal services were worth $9,180.
Jan 12 Issued 4,200 preferred shares for $303,000.
Jan 14 Issued 11,000 common shares in exchange for a building acquired. For this purpose shares were valued at $19.
Nov 15 The first annual dividend on preferred stock was declared.
Dec 20 Paid the dividends declared on preferred stock.


LADIEZ Corporation generated a $145,000 net income during the year.

a) Prepare the journal entries to record the above transactions.

Do not enter dollar signs or commas in the input boxes.

Date Account Title and Explanation Debit Credit
Jan 6 AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
Issued common stock for cash
Jan 7 AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
Issued common stock in exchange for services
Jan 12 AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
Issue of preferred stock for cash
Jan 14 AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
Issued common stock for building
Nov 15 AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
Dividend declared on preferred stock
Dec 20 AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
AnswerAccounts PayableAccounts ReceivableAdvertising ExpenseBuildingCashCommon StockCommon Stock Dividends DistributableCost of Goods SoldDividends Payable - CommonDividends Payable - PreferredIncome SummaryInterest ExpenseInterest PayableInterest ReceivableInterest RevenueInventoryLandLegal ExpenseNotes PayablePreferred StockPrepaid RentRent ExpenseRetained EarningsSalaries ExpenseSales RevenueSupplies ExpenseTelephone ExpenseTravel ExpenseUtilities Expense Answer
Recording payment of dividend



b) Prepare the statement of retained earnings for the year ended December 31, 2013.

LADIEZ Corporation
Statement of Retained Earnings
For the Year Ended December 31, 2013
Opening Balance Answer
Add: Net Income Answer
Less: Dividends Paid Answer
Balance – December 31, 2013 Answer


c) Prepare the Stockholders’ equity section of the balance sheet as at December 31, 2013.

LADIEZ Corporation
Stockholders' Equity
December 31, 2013
Stock Capital
Authorized: 72,000 $4 cumulative preferred stock and unlimited common stock
Issued:
189,540 Common Stock Answer
4,200, $4 Preferred Stock Answer
Total Stock Capital Answer
Retained Earnings Answer
Total Stockholders’ Equity Answer

In: Accounting