CPSC_103_Midterm_2021W1_Solution-1
pdf
keyboard_arrow_up
School
University of British Columbia *
*We aren’t endorsed by this school
Course
103
Subject
Accounting
Date
Apr 3, 2024
Type
Pages
12
Uploaded by AgentBatPerson1076
2021W1 Midterm Answer Key
Question 1
numbers = [2, 3, 2, 7, 4, 3]
tot = 0
for i in numbers:
if is_even(i): # assume is_even(i) is a function that is
# complete and correct (and available for use)
# is_even(i) returns True if i is even
tot = tot + i
tot
8
Question 2
def foo1(x):
return x/2
def foo2(x, y):
y = 20
x == y
x = foo1(y)
y = 3
return x
foo2(6, 5)
10
Page 1 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
Question 3
The Beverage data below (similar to the one you saw in Worksheet 4) records information about
a beverage offered at the cafe, including:
●
Its name, as it appears in the menu
●
Its price
●
Whether or not it is dairy-free
Even though this data definition will run with no errors, there are some errors in the data design.
Identify the line number where each error is found and describe how you would fix each error.
For example, if you believe a line should be removed, write its number and SHOULD BE
REMOVED after it (capitalization does not matter) (i.e., Line 7 should be removed or LINE 7
SHOULD BE REMOVED).
01.
from
typing
import
NamedTuple
02.
Beverage
=
NamedTuple(
'Beverage'
, [(
'name'
,
str
),
03.
(
'price'
,
float
),
04.
(
'dairy_free'
,
str
)])
05.
06.
#interp. a beverage available in the cafe’s menu,
07.
# including its name, price, and whether or not
it is dairy free.
08.
09.
BLACK_COFFEE
=
Beverage(
"Black coffee"
,
2.50
,
"Yes"
)
10.
EARL_GRAY
=
Beverage(
"Earl Gray Tea"
,
3.25
,
"Yes"
)
11.
LONDON_FOG
=
Beverage(
"London Fog"
,
4.75
,
"No"
)
12.
13.
# template based on compound (3 fields)
14.
@typecheck
15.
def
fn_for_drink
(b: Beverage)
-> ...
:
16.
return
...
(b
.
name,
17.
b
.
price)
Line 3: an interval comment is needed to show that price cannot be a negative number
Line 4:
dairy_free
should be a bool, not a str
Lines 9-11: The
“Yes”
should be changed to
True
and the
“No”
should be
False
Line 15: It should be
fn_for_beverage
, not
fn_for_drink
Line 18: Missing a
b.dairy_free
in the data template.
Page 2 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
Question 4
Time to work on a classic RPG game! Design a data type for a character in a game. A
character’s information is comprised of:
●
Its name
●
Its race (one of: human, elf, dwarf, ogre)
●
Its health points (between 0 and 300)
●
Its mana points (between 0 and 300)
The data definition for race is already given to you:
from enum import Enum
Race = Enum("Race", ["HUMAN", "ELF", "DWARF", "OGRE"])
# interp. The possible races for a character in the game
# examples are redundant for enumerations
@typecheck
# Template based on Enumeration (4 cases)
def fn_for_race(r: race) -> ...:
if r == Race.HUMAN:
return …
elif r == Race.ELF:
return …
elif r == Race.DWARF:
return ...
elif r == Race.OGRE:
return ...
Page 3 of 12
No Unauthorized Distribution of Materials
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
2021W1 Midterm Answer Key
from typing import NamedTuple
Character = NamedTuple(‘Character’, [(‘name’, str),
(‘race’, Race),
(‘health’, int) # in range [0,300]
(‘mana’, int) # in range [0,300]])
# interp. information about a character in the RPG game,
# including name (name), race (race), health points
# (health), and mana points (mana).
CH1 = Character(“Raghard”, Race.Human, 150, 100)
CH2 = Character(“Wargo”, Race.Ogre, 0, 300)
CH3 = Character(“Oggy”, Race.Dwarf, 300, 0)
# template based on compound (4 fields) and reference rule
@typecheck
def fn_for_character(c: Character) -> ...:
return ...(c.name,
fn_for_race(c.race),
c.health
c.mana)
Page 4 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
Data Definitions Used in Questions 5 and 6
Type = Enum("Type", ["APARTMENT", "HOUSE"])
# interp. Property type. It can be an apartment or a house.
# Examples are redundant for enumerations
# template based on Enumeration
@typecheck
def fn_for_type(t: Type) -> ...:
if t == Type.APARTMENT:
return ...
elif t == Type.HOUSE:
return ...
Property = NamedTuple("Property", [("type", Type),
("square_feet", int), # in range (0,...)
("year", int),
("price", int),
("pending", bool)])
# interp. information about a property, including its type #
(apartment or house), footage, the year it was built,
# price and whether or not it has a pending offer.
P1 = Property(Type.APARTMENT, 625, 2020, 450000, False)
P2 = Property(Type.HOUSE, 1100, 1980, 1350000, False)
P3 = Property(Type.HOUSE, 925, 1995, 1100000, True)
# template based on Compound and reference rule
@typecheck
def fn_for_property(p: Property) -> ...:
return ...(fn_for_type(p.type),
p.square_feet,
p.year,
p.price,
p.pending)
Page 5 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
# List[Property]
# interp. a list of properties in the agency’s inventory
L0 = []
L1 = [P1, P2, P3]
# template based on arbitrary-sized and reference rule
@typecheck
def fn_for_lop(lop: List[Property]) -> ...:
# description of the accumulator
acc = ... # type: …
for p in lop:
acc = ...(fn_for_property(p), acc)
return ...(acc)
Page 6 of 12
No Unauthorized Distribution of Materials
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
2021W1 Midterm Answer Key
Question 5
The data definitions on the previous two pages are for a Real Estate agency that deals in
private homes. Each property has a type (apartment or house), square feet, year built, price,
and a status to indicate whether or not an offer is pending on it.
The following function examines a list of properties to determine whether or not it contains a
house that costs at most $1000000 and is of a given footage or greater. Complete the helper
functions and add new ones if needed. You can assume has_cheap_house_min_footage() is
complete and correct.
Be sure to follow the HtDF recipe. You are allowed to assume that the tests for all functions in
this question are present, complete, and correct.
from cs103 import *
@typecheck
def has_cheap_house_min_footage(lop: List[Property], sf: int) -> bool:
"""
Returns True if there is at least one house of footage
equal or greater than sf that costs at most one
million dollars in the list; False otherwise.
"""
# return True # stub
# template copied from List[Property] with 1
# additional parameter
for p in lop:
if is_property_house(p) and has_min_footage(p,
sf) and costs_at_most_one_million(p):
return True
return False
# Complete the helper functions below and add new functions if needed
# Be sure to follow the FULL HtDF recipe
Page 7 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
@typecheck
def is_property_house(p: Property) -> bool:
"""
Returns True if p is a house; False otherwise.
"""
#
return True # stub
# template based on Property
# return is_house(p.type)
@typecheck
def is_house(type: Type) -> bool:
"""
Returns True if type is Type.HOUSE; False otherwise.
"""
# return True # stub
# template based on Type
if type == Type.APARTMENT:
return False
elif type == Type.HOUSE:
return True
@typecheck
def has_min_footage(p: Property, square_footage: int) -> bool:
"""
Returns True if p's square footage (i.e., size) is at
least square_footage large; False otherwise.
"""
#
return True # stub
# template based on Property with additional parameter
return p.square_feet >= square_footage
Page 8 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
@typecheck
def costs_at_most_one_million(p: Property) -> bool:
"""
Returns True if p costs one million dollars or less;
False otherwise.
"""
#
return True # stub
# template based on Property
return p.cost <= 1000000
# You are allowed to assume that all tests required for the
# functions above are present, complete, and correct
Page 9 of 12
No Unauthorized Distribution of Materials
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
2021W1 Midterm Answer Key
Question 6
Consider the Real Estate agency data definitions given earlier.
We want to design a function to return all apartments built after a given year and below a given
price.
Here are some functions which may or may not prove useful. It is possible that your answer will
not call every helper function listed in this question. You cannot write any other function for this
question. Only use what you are given.
You do NOT need to provide a complete implementation of the helpers. You only need to
complete find_apartments_by_year_and_price(). You do not need to provide tests for
find_apartments_by_year_and_price().
@typecheck
def find_all_apartments(lop: List[Property]) -> List[Property]:
"""
Returns all apartments in lop.
"""
return []
# stub
@typecheck
def is_property_apartment(p: Property) -> bool:
"""
Returns True if p is an apartment; False otherwise.
"""
# return True # stub
@typecheck
def is_apartment(t: Type) -> bool:
"""
Returns True if t represents an apartment; False
otherwise.
"""
# return True # stub
Page 10 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
@typecheck
def find_properties_in_budget(lop: List[Property], p: int) ->
List[Property]:
"""
Returns all properties with price equal to or below p.
"""
return []
# stub
@typecheck
def is_property_in_budget(p: Property, pr: int) -> bool:
"""
Returns True if the property p has price equal to or
below pr; False otherwise.
"""
# return True # stub
@typecheck
def find_properties_built_after_year(lop: List[Property], y: int) ->
List[Property]:
"""
Returns all properties built strictly after year y.
"""
return []
# stub
@typecheck
def is_property_built_after_year(p: Property, y: int) -> bool:
"""
Returns True if the property p was built strictly
after year y; False otherwise.
"""
# return True # stub
Page 11 of 12
No Unauthorized Distribution of Materials
2021W1 Midterm Answer Key
@typecheck
def find_apartments_by_year_and_price(lop: List[Property], y: int, p:
int) -> List[Property]:
"""
Returns a list of all apartments built after a given
year (y) and below a given price (p).
"""
# return [] # stub
# template based on composition
# 1. filter all apartments
# 2. filter all apartments built after year y
# 3. filter all apartments built after year y with
# price equal or less than price p
# 4. return final list
# Complete the rest of the
# find_apartments_by_year_and_price function
all_apartments = find_all_apartments(lop)
apartments_after_year =
find_properties_built_after_year(all_apartments, y)
apartments_at_most_price =
find_properties_in_budget(apartments_after_year, p)
return apartments_at_most_price
Page 12 of 12
No Unauthorized Distribution of Materials
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
Related Questions
I need typing clear urjent no chatgpt use i will give 5 upvotes
arrow_forward
I need typing clear urjent no chatgpt used i will give 5 upvotes pls full explain
arrow_forward
I need answer typing clear urjent no chatgpt used i will give upvotes
arrow_forward
I need do fast typing clear urjent no chatgpt used i will give 5 upvotes pls full explain
arrow_forward
myedio.com
Question 12
Listen
Use the function f(x)=2x-5
• Find the inverse of f(x).
.
.
Graph f(x) and f(x) and state the domain of each function.
Prove that f(x) and f¹(x) are inverses, both graphically and
algebraically.
ATTACHMENTS
W
Algebra2 U9 UnitTest_Q17
docx
146.32 KB
arrow_forward
typing clear no chatgpt used i will give 5 upvotes
arrow_forward
I need answer typing clear urjent no chatgpt used i will give upvotes all answers pls
arrow_forward
I need typing clear urjent no chatgpt use i will give 5 upvotes
full explanation
arrow_forward
Question 3
Listen
What are the values of r and r² for the below table of data?
Hint: Make sure your diagnostics are turned on. Enter the data into L1 and L2.
Click STAT, CALC, and choose option 8: Lin Reg(a+bx).
A
r = -0.862
r2=0.743
B
r=0.673
2=0.820
X
y
5
C
r=0.743
r2=-0.862
8
22
23.9
14
9
14
17
20
5.2
arrow_forward
I need answer typing clear urjent no chatgpt used pls i will give 5 Upvotes.
arrow_forward
I need answer typing clear urjent no chatgpt used i will give upvotes
arrow_forward
I need do fast typing clear urjent no chatgpt used i will give 5 upvotes pls full explain
arrow_forward
typing clear no chatgpt used i will give 5 upvotes
arrow_forward
Topic: Uni x
U2_AS i
F1
Topic Uni X
(@
2
5 ezto.mheducation.com/ext/map/index.html?_con=con&external browser=0&launchUrl=https%253A%252F%252Flms.mheducation.com%252Fmghmiddleware%2
Required A Required B
Required:
a. What are the amount and character of the gain that Javens will recognize in year 0?
b. What amount and character of the gain will Javens recognize in years 1 through 6?
x
Complete this question by entering your answers in the tabs below.
Recognized Gain
Character of Recognized Gain:
Description
Ordinary Gain
§1231 gain
F2
M Question X M Question X
In year O, Javens Incorporated sold machinery with a fair market value of $500,000 to Chris. The machinery's original basis was
$394,000 and Javens's accumulated depreciation on the machinery was $60,000, so its adjusted basis to Javens was $334,000. Chris
paid Javens $50,000 immediately (in year O) and provided a note to Javens indicating that Chris would pay Javens $75,000 a year for
six years beginning in year 1.
What are the…
arrow_forward
Please Solve In 10mins
Both Questions
arrow_forward
Question 3
Listen
What are the values of r and r2 for the below table of data?
Hint: Make sure your diagnostics are turned on. Enter the data into L1 and L2.
Click STAT, CALC, and choose option 8: LinReg(a+bx).
A
r=-0.862
r²=0.743
B
r=0.673
2=0.820
C r=0.743
2=-0.862
X
5
22
8
23.9
9
14
14
17
77
20
20
52
5.2
arrow_forward
I need typing clear urjent no chatgpt used i will give 5 upvotes pls full explain
arrow_forward
What is the result of inputting lF(5>9,ok,error) into a cell?
#NAME?
ok
error
arrow_forward
No chatgpt used i will give 5 upvotes typing please
arrow_forward
M You x O File: xLA File x + Ass X
Q App x
Q Rev x
O Que X
202 X
C [Th X
O ISB X
E Can x
to.mheducation.com/ext/map/index.html?_con=con&external_browser=0&launchUrl=https%253A%252F%252Fnewconnect.mheducation.com%25
DuTube
A Maps
f Login - Rowan Uni.
A My Drive - Google.
ID ID.me | Simple, Se. A Division of Unemp..
plied C
Class Principles of..
omework- Assignment 1
Saved
Help
On June 30, Sharper Corporation's stockholders' equity section of its balance sheet appears as follows before any stock
dividend or split. Sharper declares and immediately distributes a 50% stock dividend.
Common stock-$10 par value, 60,000 shares issued and
outstanding
Paid-in capital in excess of par value, common stock
Retained earnings
$ 600,000
250,000
685,000
Total stockholders' equity
$ 1,535,000
(1) Prepare the updated stockholders' equity section after the distribution is made.
(2) Compute the number of shares outstanding after the distribution is made.
Complete this question by entering your answers in…
arrow_forward
hi im looking at the solution above and have a quuestion-im a littlepuzzled on exactly how i should be plugging in the numbersfor example, the chart liists Time (ln2/(ln(1+r)) but how exactly should i type this in my calculatorto get =l3/J3? maybe im overthinking it
arrow_forward
Topic: Uni X
U2_AS i
Topic: Uni X M Question X M Question x M Question
√x
ezto.mheducation.com/ext/map/index.html?_con=con&external_browser=0&launchUrl=https% 253A%252F%252Flms.mheducation.com%252Fmghmiddle
Complete this question by entering your answers in the tabs below.
Required 1 Required 2
F2
Moab Incorporated manufactures and distributes high-tech biking gadgets. It has decided to streamline some of its
operations so that it will be able to be more productive and efficient. Because of this decision it has entered into several
transactions during the year.
a. Moab Incorporated sold a machine that it used to make computerized gadgets for $30,600 cash. It originally bought the
machine for $21,400 three years ago and has taken $8,000 in depreciation.
b. Moab Incorporated held stock in ABC Corporation, which had a value of $23,000 at the beginning of the year. That
same stock had a value of $26,230 at the end of the year.
c. Moab Incorporated sold some of its inventory for $9,200…
arrow_forward
You X
O File: X
A File x
t Ass X Q App x
202 X
Q Rev x
O Que X
C (Th X
O ISBI X
= Can x
nheducation.com/ext/map/index.html?_con=con&external_browser=0&launchUrl=https%253A%252F%252Fnewconnect.mheducation.com
ube A Maps
t Login - Rowan Uni.
A My Drive - Google..
ID ID.me | Simple, Se. 9 Division of Unemp.
E Class Principles of...
ework- Assignment 1 i
Saved
Required information
[The following information applies to the questions displayed below.]
The stockholders' equity section of TVX Company on February 4 follows.
Common stock-$25 par value, 150,000 shares authorized, 60,000
shares issued and outstanding
Paid-in capital in excess of par value, common stock
Retained earnings
$ 1,500,000
429,000
554,000
Total stockholders' equity
$ 2,483,000
On February 5, the directors declare a 2% stock dividend distributable on February 28 to the February 15 stockholders of
record. The stock's market value is $36 per share on February 5 before the stock dividend.
2. Prepare the stockholders' equity…
arrow_forward
M You X
A File: x LA File x
+ Assi x Q App x
Q Rev X
O
Que X
C (The x
O ISBI X
- Car
Can X
202 X
bnd You
ezto.mheducation.com/ext/map/index.html?_con=con&external_browser%3D0&launchUrl=https%253A%252F%252Fnewconnect.mheducation.com%252F#/..
YouTube A Maps t Login - Rowan Uni.
A My Drive - Google. ID ID.me | Simple, Se. O Division of Unemp. E
Class Principles of... O Aplied Calculus
8 Homework- Assignment 1 i
Saved
Help
Sa
On October 10, the stockholders' equity section of Sherman Systems appears as follows.
Common stock-$10 par value, 5,050 shares authorized, issued, and outstanding
Paid-in capital in excess of par value, common stock
Retained earnings
$ 860,000
286,000
976,000
Total stockholders' equity
$ 2,122,000
1. Prepare journal entries to record the following transactions for Sherman Systems.
a. Purchased 6,400 shares of its own common stock at $39 per share on October 11.
b. Sold 1,350 treasury shares on November 1 for $45 cash per share.
c. Sold all remaining treasury shares…
arrow_forward
(8)
DI
R
* Assign X
9 Questi X
Questi X
4 Busine X
Registr X
Banner X
Northe X
PT Natash X +
第| x
heducation.com/ext/map/index.html?_con3Dcon&external_browser%3D0&launchUrl=https%253A%252F%252FIms.mheducation.com%252Fmghmiddle... ☆
rt 1 i
Saved
Help
Save & Exit
Submit
The management team of Wickersham Brothers Incorporated is preparing its annual financial statements. The statements are
complete except for the statement of cash flows. The completed comparative balance sheets and income statements are summarized.
Current Year
Prior Year
Balance Sheet
Assets
Cash
$ 91,500
$ 111,000
Accounts Receivable
Inventory
Property and Equipment
Less: Accumulated Depreciation
97,500
00006
000'06
(48,800)
$ 422,700
Total assets
$ 378,500
Liabilities:
$ 15,000
$ 18,000
Accounts Payable
Salaries and Wages Payable
Notes Payable, Long-Term
Stockholders' Equity:
000'e
000 sL
00s T
000 '06
Common Stock
120,000
Retained Earnings
189,700
000 6tT
Total Liabilities and Stockholders'
$ 422,700
$ 378,500
equity…
arrow_forward
Test: Multiple Functions
FILE UPLOAD 1
Question 12
Listen
Use the function f(x)=2x-5
.
•
•
Find the inverse of f(x).
Graph f(x) and f1(x) and state the domain of each function
Prove that f(x) and f¹(x) are inverses, both graphically and
algebraically.
ATTACHMENTS
arrow_forward
red
Question 11
4) Listen
Use the graphs below to categorize the statements to describe either Graph A
or Graph B.
3
Graph A
Graph B
0
#12
"
3/2
2x
0
*/2
3/2
2
-1
T
graph a
graph b
Add an answer item!
Add an answer item!
Answer Bank
amplitude = 1
midline is y=3
f(x)= cos(x)+3
amplitude =3
f(x)=3sin(x)+1
midline is y=1
All Change
arrow_forward
1 You x
O File: X
A File X
Ass X
Q App x
202 x
Rev X
O Que x
[Th
O ISB X
- Can x
.mheducation.com/ext/map/index.html?_con=con&external_browser=0&launchUrl=https%253A%252F%252Fnewconnect.mheducation.com%2E
Tube
A Maps
+ Login - Rowan Uni.
A My Drive - Google.. ID ID.me | Simple, Se.. 9 Division of Unemp..
Class Principles of.
Alied C
mework- Assignment 1 i
Saved
Help
On June 30, Sharper Corporation's stockholders' equity section of its balance sheet appears as follows before any stock
dividend or split. Sharper declares and immediately distributes a 50% stock dividend.
Common stock-$10 par value, 60,000 shares issued and
outstanding
Paid-in capital in excess of par value, common stock
$ 600,000
250,000
685,000
$ 1,535,000
Retained earnings
Total stockholders' equity
(1) Prepare the updated stockholders' equity section after the distribution is made.
(2) Compute the number of shares outstanding after the distribution is made.
Complete this question by entering your answers in the tabs…
arrow_forward
typing clear no chatgpt used i will give 5 upvote
arrow_forward
C
unctions
Question 3
Listen
Given
11π
0 =
3
which of the below statements are true?
Press on an item in the answer box, and then press on the box under the corresponding
category. To remove an item, you can press on the box and the trash icon to the right of the
item you want to remove.
True
False
Add an answer item!
Add an answer item!
Answer Bank
11π
tan(1)=-√3
cos()=sin()=√
11π
3
11T is in Quadrant III.
11π
is in Quadrant IV.
cos (13)=-
3
arrow_forward
PLEASE, WRITE THE SOLUTIONS ON PAPER, EXPLAINING THE ENTIRE PROCESS, THE ONLY AND CORRECT ANSWERS ARE FOR (i) V(t) = exp ( -2e^0.02t + 2 ) for 0 < t <10, V(t) = exp( -0.0928 - 0.03t - 0.0005t^2) for 10 < t <15, V(t) = exp ( 0.0197 - 0.045t ) for 15 < t.
AND (ii) C3 = £2500 x 0.5877 = £1,469.16
AND (iii) i^2 = 4.48% pa
AND (iv) PV = £988.38
arrow_forward
PLEASE, WRITE THE SOLUTIONS ON PAPER, EXPLAINING THE ENTIRE PROCESS, THE
ONLY AND CORRECT ANSWERS ARE FOR (i) V(t) = exp (-2e^0.02t + 2 ) for 0 15
(i)
Derive, and simplify as far as possible, expressions in terms of t for V(t), where V(t) is
the present value of a unit sum of cash flow made at time t. You should derive separate
expressions for the three sub-intervals.
(ii)
Hence, making use of the result in part (i), calculate the value at time t = 3 of a payment of
£2,500 made at time t = 15.
(iii) Calculate, to the nearest 0.01%, the constant nominal annual rate of interest convertible
half-yearly implied by the transaction in part (ii).
(iv) Making use of the result in part (i), calculate the present value of a payment stream p(t)
paid continuously from time t = 15 to t = 20 at a rate of payment at time t given by:
p(t) = 300e 0.02t
arrow_forward
x
M
NCC Curre x
Quest x
Contex bnc An ea x
Untitl x
New X P wild f x Aal. AOL X
New X
New X
+
nheducation.com/ext/map/index.html?_con=con&external_browser=0&launch
Url=https%253A%252F%252Fnewconnect.mheducation.com%252F#/activity/que...
13 i
Saved
Help
Save & Exit
Check m
Exercise 1-13 (Algo) Identifying effects of transactions on the accounting equation LO P1
The following table shows the effects of transactions 1 through 5 on the assets, liabilities, and equity of Mulan's Boutique. Match each
transaction with its probable description.
Assets
= Liabilities +
Accounts
Equity
Accounts
Receivable
+
+ Supplies
$0 + $ 3,800
Cash +
$ 29,000 +
-4, 800
Land
+ $ 23,000
4,800
=
=
Common
Stock
$ 55,800 +
Payable
$0
Revenues
$0
+
1.
+
2.
+
1,080
+1,080
3.
2,300
4.
-1,080
-1,080
5.
+2, 300
+ $ 4,880
$0
$ 25,420 +
$ 55,800 + $ 2,300
Transaction
Description
1.
2.
3.
4.
5.
2,300
2,300
$0
+
$ 27,800 =
Prev
1 of 1
www
www.
Next
arrow_forward
#3
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
data:image/s3,"s3://crabby-images/6b0b6/6b0b643ca8b02e5ec565523fc10cdf7ecaccb4c9" alt="Text book image"
Survey of Accounting (Accounting I)
Accounting
ISBN:9781305961883
Author:Carl Warren
Publisher:Cengage Learning
Related Questions
- I need do fast typing clear urjent no chatgpt used i will give 5 upvotes pls full explainarrow_forwardmyedio.com Question 12 Listen Use the function f(x)=2x-5 • Find the inverse of f(x). . . Graph f(x) and f(x) and state the domain of each function. Prove that f(x) and f¹(x) are inverses, both graphically and algebraically. ATTACHMENTS W Algebra2 U9 UnitTest_Q17 docx 146.32 KBarrow_forwardtyping clear no chatgpt used i will give 5 upvotesarrow_forward
- I need answer typing clear urjent no chatgpt used i will give upvotes all answers plsarrow_forwardI need typing clear urjent no chatgpt use i will give 5 upvotes full explanationarrow_forwardQuestion 3 Listen What are the values of r and r² for the below table of data? Hint: Make sure your diagnostics are turned on. Enter the data into L1 and L2. Click STAT, CALC, and choose option 8: Lin Reg(a+bx). A r = -0.862 r2=0.743 B r=0.673 2=0.820 X y 5 C r=0.743 r2=-0.862 8 22 23.9 14 9 14 17 20 5.2arrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- Survey of Accounting (Accounting I)AccountingISBN:9781305961883Author:Carl WarrenPublisher:Cengage Learning
data:image/s3,"s3://crabby-images/6b0b6/6b0b643ca8b02e5ec565523fc10cdf7ecaccb4c9" alt="Text book image"
Survey of Accounting (Accounting I)
Accounting
ISBN:9781305961883
Author:Carl Warren
Publisher:Cengage Learning