#W4 Generator Calculator
Explore tagged Tumblr posts
paystubusa · 10 days ago
Text
The Ultimate Guide to Choosing the Right 1040 ES Form Creator
The IRS requires these payments using Form 1040-ES, which can be complex and time-consuming to prepare manually. A 1040 ES Form Creator automates much of this process by calculating your tax due, generating accurate forms, and tracking your payments.
Tumblr media
0 notes
theoatcouture · 3 years ago
Text
Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media
W4, 27/10
Draft Crit Presentation:
First attempt at integrating the 4 drivers into the design of the gatehouse. Ambitions/inspirations for this project include:
Revealing Future Waste Water - specifically in the context of circadian variations within domestic patterns
Rainwater Harvesting Potential - Developing a system which delays and retains - allowing water to be at the very core of the home - incoming rainwater is filtered on the second floor as part of an indoors dynamic water facade and subsequently stored in the bladder which swells and depletes reflecting availability and past meteorological events
Hydraulic Tracks - similar to loom function, facilitating the mobility of the home over the course of a day
Vascular Inspired Rainwater Storage System integrated into the skin of the building fabric and all fixed furniture.
Initial site analysis of rainwater potential suggests that the infrastructure can harvest 67 L of water per day - much lower than what the average UK citizen consumes (150 L), but more than sufficient to meet basic human needs (50 L).
Currently, the proposal is for an entirely off-grid solitary retreat where visitors are invited to spend 24 hours in the space - critically reflecting on the future of water waste. They would embark on the gatehouse at 9am - spend their day within the 4 quadrants of spaces (living, cooking, washing and sleeping). They can then disembark from the same point the next day at 9am. The building will act as a dynamic water plot where past wastewater will be stored in vessels underneath the existing conduit and over time possibly causing stalactites to form on the cast iron frame.
Next Steps:
With the general idea and arrangement of spaces established- rebuild the whole scheme, resolving in greater detail how each piece of furniture becomes an extension of the skin - sink, bed, toilet intrinsically powered by flow from the house's vascular system. Consider suitable materials for surfaces and how the track can seamlessly be integrated into the house's design.
Complete initial load calculations to size relevant structural members. Carry out required environmental analyses, considering the possibility of implementing LZCs to the scheme.
6 notes · View notes
prashant4737-blog · 6 years ago
Text
W4- Assignment K-means Cluster Analysis for Life expectancy in Gapminder Data
About:
K-Means Cluster analysis is an unsupervised machine learning method that partitions the observations in a data set into a smaller set of clusters where each observation belongs to only one cluster. The goal of cluster analysis is to group, or cluster, observations into subsets based on their similarity of responses on multiple variables. Clustering variables should be primarily quantitative variables, but binary variables may also be included. 
#CODE
# -*- coding: utf-8 -*- """ Created on Sun Aug 11 13:12:00 2019
@author: PMOKASHI """
from pandas import Series, DataFrame import pandas as pd import numpy as np import matplotlib.pylab as plt from sklearn.model_selection import train_test_split from sklearn import preprocessing from sklearn.cluster import KMeans
""" Data Management """ #loading the dataset Gapminder_df = pd.read_csv('gapminder.csv',delimiter=',') cols=['incomeperperson','hivrate','breastcancerper100th','alcconsumption','co2emissions','femaleemployrate','employrate','suicideper100th','lifeexpectancy']
Gapminder=Gapminder_df[cols] #setting variables you will be working with to numeric because python read from the csv file as strings(objects) Gapminder[cols] = Gapminder[cols].apply(pd.to_numeric, errors='coerce')
#droping out the nan Gapminder_clean_data=Gapminder.dropna() Gapminder_clean_data.describe()
clustervar=Gapminder_clean_data[['incomeperperson','hivrate','breastcancerper100th','alcconsumption','co2emissions','femaleemployrate','employrate','suicideper100th']]
# standardize clustering variables to have mean=0 and sd=1 clustervar['incomeperperson']=preprocessing.scale(clustervar['incomeperperson'].astype('float64')) clustervar['hivrate']=preprocessing.scale(clustervar['hivrate'].astype('float64')) clustervar['breastcancerper100th']=preprocessing.scale(clustervar['breastcancerper100th'].astype('float64')) clustervar['alcconsumption']=preprocessing.scale(clustervar['alcconsumption'].astype('float64')) clustervar['co2emissions']=preprocessing.scale(clustervar['co2emissions'].astype('float64')) clustervar['femaleemployrate']=preprocessing.scale(clustervar['femaleemployrate'].astype('float64')) clustervar['employrate']=preprocessing.scale(clustervar['employrate'].astype('float64')) clustervar['suicideper100th']=preprocessing.scale(clustervar['suicideper100th'].astype('float64'))
""" No splitting of the data set as the data set is small """
# k-means cluster analysis for 1-9 clusters                                                           from scipy.spatial.distance import cdist clusters=range(1,10) meandist=[]
for k in clusters:    model=KMeans(n_clusters=k)    model.fit(clustervar)    clusassign=model.predict(clustervar)    centroids=model.cluster_centers_    meandist.append(sum(np.min(cdist(clustervar, model.cluster_centers_, 'euclidean'), axis=1))    / clustervar.shape[0])
""" Plot average distance from observations from the cluster centroid to use the Elbow Method to identify number of clusters to choose """
plt.cla() plt.plot(clusters, meandist) plt.xlabel('Number of clusters') plt.ylabel('Average distance') plt.title('Selecting k with the Elbow Method')
# Interpret 3 cluster solution model3=KMeans(n_clusters=3) model3.fit(clustervar) clusassign=model3.predict(clustervar) # Plot clusters
from sklearn.decomposition import PCA pca_2 = PCA(2) plot_columns = pca_2.fit_transform(clustervar)
cdict = {0: 'blue', 1: 'red', 2: 'black'} fig, ax = plt.subplots() for g in (0,1,2):    ix = np.where(model3.labels_ == g)    ax.scatter(plot_columns[ix,0], plot_columns[ix,1], c = cdict[g], label = g) plt.xlabel('Canonical variable 1') plt.ylabel('Canonical variable 2') plt.title('Scatterplot of Canonical Variables for 3 Clusters') ax.legend() plt.show()
""" BEGIN multiple steps to merge cluster assignment with clustering variables to examine cluster variable means by cluster """ # create a unique identifier variable from the index for the # cluster training data to merge with the cluster assignment variable clustervar.reset_index(level=0, inplace=True) merged_train=clustervar.copy() merged_train['cluster']=model3.labels_ print(merged_train.cluster.value_counts())
""" END multiple steps to merge cluster assignment with clustering variables to examine cluster variable means by cluster """ # FINALLY calculate clustering variable means by cluster clustergrp = merged_train.groupby('cluster').mean() print ("Clustering variable means by cluster") print(clustergrp)
# validate clusters in training data by examining cluster differences in GPA using ANOVA # first have to merge GPA with clustering variables and cluster assignment data
gpa_train1=pd.DataFrame(Gapminder_clean_data['lifeexpectancy']) gpa_train1.reset_index(level=0, inplace=True) merged_train_all=pd.merge(gpa_train1, merged_train, on='index') sub1 = merged_train_all[['lifeexpectancy', 'cluster']].dropna()
import statsmodels.formula.api as smf import statsmodels.stats.multicomp as multi
gpamod = smf.ols(formula='lifeexpectancy ~ C(cluster)', data=sub1).fit() print (gpamod.summary()) print ('means for lifeexpectancy by cluster') m1= sub1.groupby('cluster').mean() print (m1) print ('standard deviations for lifeexpectancy by cluster') m2= sub1.groupby('cluster').std() print (m2)
mc1 = multi.MultiComparison(sub1['lifeexpectancy'], sub1['cluster']) res1 = mc1.tukeyhsd() print(res1.summary())
#ANALYSIS
Here in this assignment I have choosen the Gapminder data set, considering the variables:  ‘incomeperperson','hivrate','breastcancerper100th','alcconsumption','co2emissions','femaleemployrate','employrate','suicideper100th’, grouping into different clusters and calculating the means of each cluster groups. Also validate clusters in training data by examining cluster differences in LifeExpectancy using ANOVA.
In this assignment I have identified the subgroups based above 8 variables which affect the lifeexpectancy. All the clustering variables mentioned above are quantitative. All the clustering variables are standardized to have mean of 0 and a standard deviation of 1.
Since the data I selected is not large data so I have not split the data into training and test data. A series of k-means cluster analysis were conducted on the data specifying k=1-9 clusters using k-means algorithm. The variance in the clustering variables for each clusters is plotted below for 9 clusters in an elbow curve to provide guidance for choosing he no. of clusters to interpret.
1) ELBOW Curve of r-square values for the 9 clusters solutions
Tumblr media
The elbow curve suggests that the 2,3,4 cluster solutions might be interpreted. The below results describe the interpretation of the 3-cluster solution.
Canonical descriminant analysis was used to reduce the 8 clustering variables down a few variables that accounted for the most of the variance in the clustering variables. A scatter plot with two canonical variables indicates that cluster that 3 clusters are generally distinct and observations have the greated spread(higher cluster variance). So a better solution may have fewer than 3 clusters.
2)Fig showing the two canonical variables for clustering variables by the cluster
Tumblr media
#CODE Output:
Tumblr media Tumblr media
The means on the clustering variables shows that compared to other clusters, in the cluster 2 has the higher on mean the clustering variables. Cluster2 has the relatively high incomeperperson,low hiv rate, high breastcanceper100, high alcohol consumptio, low co2 emissions, low femaleemployrate and highsuicideper100. Cluster0 has the second higest means for the clustering varibles, showing low incomeperperson, low HIV rate, low breastcancerper100, low alcoholconsumption,moderare co2emissions and lowemployrate ,suicideper100. The last cluster1 has the lowest incomeperperson, breastcancer,alcoholconsumption and higher HIV rates, femaleemploymentrate and employrate.
Analysis of variance(ANOV) is conducted to test the significant difference between clusters on the lifeexpectancy. A tukey test test results show the significant results. The comparision shows the difference between clusters on lifeexpectancy, cluster1 and cluster2 are different from each other with a mean difference of 17.3138 and cluster2 has the highest life expectancy(mean=77.67, sd=4.42) and cluster1 has the lowest lifeexpectancy(mean=60.36 and sd=8.93).
0 notes
evoldir · 6 years ago
Text
Job: OmahaZoo.GeneticsLabTech
Omaha's Henry Doorly Zoo and Aquarium Laboratory Technician- Genetics Summary: The Laboratory Technician will participate in ongoing molecular and next generation sequencing research as well as conservation-focused investigations by performing the following duties. The start date for this position will be on or after August 1, 2019 Duties and Responsibilities (include but not limited to): * Carry out experiments and perform required tasks well both under supervision and when operating independently. * Perform molecular and biological experiments. * Practice aseptic technique. * Prepare solutions and media for molecular biology applications. * Perform proper sample handling for molecular analyses. * Compile thorough and accurate lab documentation, paying attention to detail. * Be a proactive communicator, with the ability to read, understand and follow lab protocols and Standard Operating Procedures. * Maintain cleanliness and sanitation while complying with safety procedures in their employed laboratories. * Utilize arithmetic for the performance of daily experiments. * Have a clear understanding of the metric system of weight and volume as well as conversion between various weight measures, and chemical calculations (molarities and pH). * Assist in ordering, care, maintenance, and utilization of department equipment, supplies, and inventories. * Responsible for troubleshooting as necessary and be proactive in resolving problems regarding essential laboratory equipment such as automated sequencers, thermocyclers, and spectrophotometer. * Contribute to grant preparation efforts, literature searches and manuscript writing, as needed. * Assist in running field-based volunteer program in Madagascar by managing e-mail correspondence, conducting interviews with potential volunteers and coordinating the logistics with personnel in Madagascar. * Efficiency and ability to use computers and related programs is imperative. Knowledge, Skills and Abilities Required: * A thorough knowledge of molecular genetics and related techniques, and have a good understanding of biological sciences. Experience with next-generation sequencing is highly preferred. * 1+ years of experience * Strong people skills * Detailed oriented * Willingness to learn and contribute * Follow directions * Meets deadlines Education * A Bachelor's degree in the Biology, Genetics, Environmental Science, or related field is required. An equivalent combination of further education and experience may be substituted. DISCLAIMER The information presented indicates the general nature and level of work expected of employees in this classification. It is not designed to contain, nor is it to be interpreted as, a comprehensive inventory of all duties, responsibilities, qualifications and objectives required of employees assigned to this job. Omaha˘s Henry Doorly Zoo & Aquarium is an Equal Employment Opportunity Employer as defined by the EEOC. VISA SPONSORSHIP IS NOT AVAILABLE We can only accept applications through this link: https://www.paycomonline.net/v4/ats/web.php/jobs/ViewJobDetails?job=11093&clientkey=77B425C21C6E28F6E3B0849B4A14F1B5&fbclid=IwAR2zI8M_wY9KohN4O_VoHGmaTvSDeKVxxJZNCetS5AH5bbqoD0qemD-E-w4 Genetics Department
0 notes
whitehat-solutions · 6 years ago
Text
Neural Networks (E01: introduction)
Hello everyone, in this series we explore machine learning with neural networks. In particular, so that our neural network recognizes handwritten digits. In this first video I want to introduce neural networks a simple example. Imagine we have two kinds of plants. One with red flowers and the other with purple. And one day we decide to measure the length and width of their petals. For simplicity, I call these properties x1 and x2 Because we have only two properties, we can distribute the data in two dimensions. We see red and purple flowers created two separate groups. We can draw a line that divides them. This is called "decision boundaries". If we get new data and are on one side of the border, we predict that it is a red flower. On the other hand, it would be purple. We want to calculate this boundary after our neural network. We will start by creating a simple network. It will have two input neurons x1, x2 for our two properties. And two output neurons that show probability, that the flower is red or purple. Then we can join the input neurons with the first output. And the forces (or weights) of these connections will be w1 and w2. Then r, the probability that the flower will be red, is given by the equation x1 times w1 + x2 times w2. We can also connect the second output neuron with input, to calculate p, which is equal to x1 times w3 + x2 times w4. Back to the chart - where r is greater than red and where p is greater than r violet. The weight parameter determines the slope "decision boundaries". To properly separate red flowers from purple, the boundary must be capable of vertical displacement. Back to our network. Add a slider to each output neuron. Scales and sliders together they can reliably divide the data. However, there is a great limitation. Our boundary is always straight. For this example, this is fine, but now I will show something, what can not be divided by a straight line. For this we will need a more advanced network. We will insert in our network a new layer, called the "hidden layer". We can join the first hidden neuron to the input layer and get a1, equal x1 * w1 + x2 * w2 + b1, which is our old r. We can do the same for the other two hidden neurons, to get a2 and a3. Next, we connect the first output neuron to the hidden layer. We get the output a1 * w7 + a2 * w8 + and a3 * w9 + b4. The same for the second output neuron. Now we have more scales and sliders, with whom I can play. But I can still just create straight lines. That's because it's all there is we add linear equations, resulting in other linear equations. So we have to find a way to create a nonlinear one. One solution is to use some sigmoid function. You can see this on the screen For small values it is functional value zero, for large values, the value is one. We will connect this to our network by hiding hidden values and the output layer with this function. By the way, this is called activation function. now a change in the weight of a single neuron changes the slope of the activation function and shifting the scroll bar function to the sides. In the graph of the activation function she was able to create a curve. With the right value of scales and sliders can be divided red and purple flowers. Of course, I now change my values manually, but the sense of the neural network is to arrive at the correct values automatically. You can see it here. Let's see how this works a bit later in this series. For now, it is important to understand, how weights and sliders decide which areas red and blue purple flowers in this example, in order to classify new data, when we do not know where it belongs. Note that we only work with two properties. That is why we work in two dimensions. If we had a third property, it is not difficult to imagine the border or surface, if you want, in three dimensions. With four or more features it's not so easy to introduce yourself, but the concept remains the same. I hope this video helped you understand the structure of the neural network with input, hidden and output layers, weights, sliders and activation functions, and general understanding, what the network is learning to divide, specifically the decision boundary. In the next work, we will create a network in Python, so far, hello..
0 notes
annenewton-blog · 8 years ago
Text
BUSN 278 Budgeting and Forecasting Entire Course
https://homeworklance.com/downloads/busn-278-budgeting-and-forecasting-entire-course/
 BUSN 278 Budgeting and Forecasting Entire Course
 BUSN278 Week 1 Section 1.0 Executive Summary (Draft)
BUSN 278 Week 2 Section 2.0 Sales Forecast (Draft)
BUSN278 Week 3 Section 3.0 Capital Expenditure Budget (Draft)
BUSN278 Week 4 Section 4.0 Investment Analysis (Draft)
BUSN278 Week 5 Section 5.1 Pro Forma Income Statement  (Draft)
BUSN278 Week 6 Section 5.2 Pro Forma Cash Flow Statements (Draft)
BUSN278 Week 7 Final Budget Proposal
BUSN278 Week 7 Final Presentation
 BUSN278 Course Project (Papa Geo’s Restaurant)
 Project Overview: This is an individual project where you will be acting as a consultant to an entrepreneur who wants to start a new business. As the consultant, you’ll create a 5 year budget that supports the entrepreneur’s vision and strategy, as well as the needs for equipment, labor, and other startup costs. You can choose from one of three types of new business startups — a landscaping company, a restaurant, or an electronics store that sells portable computing devices. Each business has its own Business Profile detailed in the sections below. The purpose of the Business Profile is to guide you in understanding the scope of the business, the entrepreneur’s startup costs, and financial assumptions. The project requires you to create a written budget proposal, a supporting Excel Workbook showing your calculations, and a PowerPoint presentation summarizing the key elements of the budget proposal, which you assume will be presented to a management team. This is an individual project. Each week you will complete a section of the project in draft form. In Week 7, you will submit the final version of the project’s Budget Proposal, Budget Workbook, and Budget Presentation in PowerPoint. Deliverables Schedule / Points Week Deliverable Points 1 Section 1.0 Executive Summary (Draft) 10 2 Section 2.0 Sales Forecast (Draft) 10 3 Section 3.0 Capital Expenditure Budget (Draft) 10 4 Section 4.0 Investment Analysis (Draft) 10 5 Section 5.1 Pro Forma Income Statement (Draft) 10 6 Section 5.2 Pro Forma Cash Flow Statements (Draft) 10 7 Final Budget Proposal 90 7 Final Presentation w/ PowerPoint 30 Total project points 180 Business Profile:Papa Geo’s – Restaurant Vision The vision of the entrepreneur is to create a single-location, sit-down Italian restaurant called Papa Geo’s. The goal is to generate an income of $40,000 per year, starting sometime in the second year of operation, as wells as profit that is at least 2% of sales. Strategy a) Market Focus/Analysis The restaurant targets middle to lower-middle class families with children, as well as adults and seniors, located in Orlando, Florida. The area within 15 minutes of the store has 10,000 families, mostly from lower to middle class neighborhoods. Average family size is 4 people per household. There is no direct competition; however, there are fast food restaurants like McDonald’s, Taco Bell and Wendy’s in the geographical target market. The lower to middle class population is growing at about 6% per year over the next five years in this area. b) Product The product is Italian food served buffet style, in an all-you-can-eat format, with a salad bar, pizza, several different types of pasta with three or four types of sauces, soup, desserts, and a self-serve soda bar. The restaurant is also to have a 500 square foot gaming area which has game machines that children would be interested in using. c) Basis of Competition Customers come to this restaurant because of the good Italian food at a low price – you can get a meal for $7, including drinks. Customers also eat at Papa Geo’s due to the cleanliness of the facility, the speed of getting their seat and food, and the vending machines which keep the children busy while adults enjoy their meal. Startup Requirements* Given Costs • The cost of registering a limited liability company in Florida – filing fees listed at the bottom of the application for located at: http://form.sunbiz.org/pdf/cr2e047.pdf • Renovation of the facility expected to cost $15,000 • Business insurance, estimated at $1,000 per year • Health and other benefits are 20% of the salaries of the manager and assistant manager Costs you should estimate through research, experience or other methods Soda fountain bar 2 pizza ovens Salad and pizza/dessert bar Approximately 100 square foot commercial refrigerator 2 cash registers 6 video game vending machines Management office with desk and lower-priced laptop computer Staff lunchroom equipment such as microwave, sink, cupboards and refrigerator 20 four-seater tables with chairs Busing cart for transporting dirty dishes from the dining area to the dishwashing area 140 sets of dishes, including cutlery and drinking cups Commercial dishwasher Miscellaneous cooking and food handling equipment like trays, lifters, spoons, pots etcetera The cost of an average of 7 employees on the payroll. All operating costs, such as advertising, rent for a 3,500 square foot facility with male and female washrooms (already installed), utilities, maintenance, and annual depreciation *If you have questions about startup requirements, or think other startup costs necessary for the business are missing, then make an assumption and state it in the relevant section of the report. Given Financial Assumptions* The owner will be granted a loan for the initial startup, repayable over 10 years at current interest rates for small business loans. The owner will use personal funds to operate the business until it generates enough cash flow to fund itself. Essentially, all sales are made by credit card. All credit card sales are paid to the restaurant daily by the credit card company. 2.5% of sales is paid to the credit card company in fees. Food suppliers give 30 days of trade credit. Inventories are expected to be approximately 10% of the following month’s sales. The average meal costs $4.00 in materials and labor. The average family spends $4.00 on vending machine tokens. Equipment is depreciated on a straight-line basis over 5 years. Managers have health benefits, other workers do not. The company will operate from 10:00 am to 9:00 pm, 7 days a week. The entrepreneur will manage the store and draw a salary. Every shift has one person on the cash register, one keeping the food bars stocked with food, two cooking the food, one on busing and table cleaning, a manager, and assistant manager. *If you believe any other assumptions are necessary, please state them in your budget proposal.
All Discussion Questions
w1 dq1 Budgeting and Planning w1 dq2 Forecasting Techniques w2 dq1 Linear Regression w2 dq2 Seasonal Variations w3 dq1 Revenue Budget w3 dq2 Capital Expenditures Budget w4 dq1 Capital Budgeting w4 dq2 New Business Startups w5 dq1 Master Budget w5 dq2 Cash Budgeting w6 dq1 Cost Behavior w6 dq2 Variance Analysis w7 dq1 Administering the Budget w7 dq2 Presenting and Defending a Budget
 BUSN 278 Week 4 Midterm
(TCO 1) The type of budget that is updated on a regular basis is known as a ________________ (TCO 2) The quantitative forecasting method that uses actual sales from recent time periods to predict future sales assuming that the closest time period is a more accurate predictor of future sales is: (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________ (TCO 4) Capital expenditures are incurred for all of the following reasons except: (TCO 5) Which of the following is not true when ranking proposals using zero-base budgeting? (TCO 6) Which of the following ignores the time value of money? (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting. Discuss this form of budgeting and identify its advantages and disadvantages. (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models. (TCO 2) The Federal Election Commission maintains data showing the voting age population, the number of registered voters, and the turnout for federal elections. The following table shows the national voter turnout as a percentage of the voting age population from 1972 to 1996 (The Wall Street Journal Almanac; 1998):
(TCO 3) Use the table “Food and Beverage Sales for Paul’s Pizzeria” to answer the questions below. (TCO 6) Jackson Company is considering two capital investment proposals. Estimates regarding each project are provided below: (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.
Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return
 BUSN 278 Final Exam Answers
 (TCO 1) Which of the following statements regarding research and development is incorrect?
 (TCO 2) Priority budgeting that ranks activities is known as:
 (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________
 (TCO 4) It is important that budgets be accepted by:
 (TCO 5) The qualitative forecasting method that individually questions a panel of experts is ________________
 (TCO 6) Which of the following is a disadvantage of the payback technique?
 (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting.  Discuss this form of budgeting and identify its advantages and disadvantages.
 (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models.
 (TCO 2) Use the table “Manufacturing Capacity Utilization” to answer the questions below.
Manufacturing  Capacity Utilization
In  Percentages
Day
Utilization
Day
Utilization
1
82.5
9
78.8
2
81.3
10
78.7
3
81.3
11
78.4
4
79.0
12
80.0
5
76.6
13
80.7
6
78.0
14
80.7
7
78.4
15
80.8
8
78.0
Part (a) What is the project manufacturing capacity utilization for Day 16 using a three day moving average? Part (b) What is the project manufacturing capacity utilization for Day 16 using a six day moving average? Part (c) Use the mean absolute deviation (MAD) and mean square error
 (TCO 3) Use the table “Food and Beverage Sales for Luigi’s Italian Restaurant” to answer the questions below.
Food and Beverage Sales for  Luigi’s Italian Restaurant
($000s)
Month
First  Year
Second  Year
January
218
237
February
212
215
March
209
223
April
251
174
May
256
174
June
216
135
July
131
142
August
137
145
September
99
110
October
117
117
November
137
151
December
213
208
Part (a) Calculate the regression line and forecast sales for February of Year 3. Part (b) Calculate the seasonal forecast of sales for February of Year 3. Part (c) Which forecast do you think is most accurate and why?
 (TCO 6) Davis Company is considering two capital investment proposals. Estimates regarding each project are provided below:
Project  A
Project  B
Initial Investment
$800,000
$650,000
Annual Net Income
$50,000
45,000
Annual Cash Inflow
$220,000
$200,000
Salvage Value
$0
$0
Estimated Useful Life
5  years
4  years
The company requires a 10% rate of return on all new investments.
Part (a) Calculate the payback period for each project. Part (b) Calculate the net present value for each project. Part (c) Which project should Jackson Company accept and why?
  (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.   Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return.
0 notes
paystubusa · 2 months ago
Text
Who Needs to Generate W7 Form and Why It’s Important
The need to generate W7 form arises typically for non-resident extraterrestrial beings and remote places nationals who need to report taxes inside the U.S. Without an ITIN, those people will not be able to nicely report their tax returns, which can result in penalties, delays in processing returns, and complications at the same time as coping with the IRS.
Tumblr media
0 notes
lanceblog-us-blog · 8 years ago
Text
BUSN 278 Budgeting and Forecasting Entire Course
https://homeworklance.com/downloads/busn-278-budgeting-and-forecasting-entire-course/
 BUSN 278 Budgeting and Forecasting Entire Course
 BUSN278 Week 1 Section 1.0 Executive Summary (Draft)
BUSN 278 Week 2 Section 2.0 Sales Forecast (Draft)
BUSN278 Week 3 Section 3.0 Capital Expenditure Budget (Draft)
BUSN278 Week 4 Section 4.0 Investment Analysis (Draft)
BUSN278 Week 5 Section 5.1 Pro Forma Income Statement  (Draft)
BUSN278 Week 6 Section 5.2 Pro Forma Cash Flow Statements (Draft)
BUSN278 Week 7 Final Budget Proposal
BUSN278 Week 7 Final Presentation
 BUSN278 Course Project (Papa Geo’s Restaurant)
 Project Overview: This is an individual project where you will be acting as a consultant to an entrepreneur who wants to start a new business. As the consultant, you’ll create a 5 year budget that supports the entrepreneur’s vision and strategy, as well as the needs for equipment, labor, and other startup costs. You can choose from one of three types of new business startups — a landscaping company, a restaurant, or an electronics store that sells portable computing devices. Each business has its own Business Profile detailed in the sections below. The purpose of the Business Profile is to guide you in understanding the scope of the business, the entrepreneur’s startup costs, and financial assumptions. The project requires you to create a written budget proposal, a supporting Excel Workbook showing your calculations, and a PowerPoint presentation summarizing the key elements of the budget proposal, which you assume will be presented to a management team. This is an individual project. Each week you will complete a section of the project in draft form. In Week 7, you will submit the final version of the project’s Budget Proposal, Budget Workbook, and Budget Presentation in PowerPoint. Deliverables Schedule / Points Week Deliverable Points 1 Section 1.0 Executive Summary (Draft) 10 2 Section 2.0 Sales Forecast (Draft) 10 3 Section 3.0 Capital Expenditure Budget (Draft) 10 4 Section 4.0 Investment Analysis (Draft) 10 5 Section 5.1 Pro Forma Income Statement (Draft) 10 6 Section 5.2 Pro Forma Cash Flow Statements (Draft) 10 7 Final Budget Proposal 90 7 Final Presentation w/ PowerPoint 30 Total project points 180 Business Profile:Papa Geo’s – Restaurant Vision The vision of the entrepreneur is to create a single-location, sit-down Italian restaurant called Papa Geo’s. The goal is to generate an income of $40,000 per year, starting sometime in the second year of operation, as wells as profit that is at least 2% of sales. Strategy a) Market Focus/Analysis The restaurant targets middle to lower-middle class families with children, as well as adults and seniors, located in Orlando, Florida. The area within 15 minutes of the store has 10,000 families, mostly from lower to middle class neighborhoods. Average family size is 4 people per household. There is no direct competition; however, there are fast food restaurants like McDonald’s, Taco Bell and Wendy’s in the geographical target market. The lower to middle class population is growing at about 6% per year over the next five years in this area. b) Product The product is Italian food served buffet style, in an all-you-can-eat format, with a salad bar, pizza, several different types of pasta with three or four types of sauces, soup, desserts, and a self-serve soda bar. The restaurant is also to have a 500 square foot gaming area which has game machines that children would be interested in using. c) Basis of Competition Customers come to this restaurant because of the good Italian food at a low price – you can get a meal for $7, including drinks. Customers also eat at Papa Geo’s due to the cleanliness of the facility, the speed of getting their seat and food, and the vending machines which keep the children busy while adults enjoy their meal. Startup Requirements* Given Costs • The cost of registering a limited liability company in Florida – filing fees listed at the bottom of the application for located at: http://form.sunbiz.org/pdf/cr2e047.pdf • Renovation of the facility expected to cost $15,000 • Business insurance, estimated at $1,000 per year • Health and other benefits are 20% of the salaries of the manager and assistant manager Costs you should estimate through research, experience or other methods Soda fountain bar 2 pizza ovens Salad and pizza/dessert bar Approximately 100 square foot commercial refrigerator 2 cash registers 6 video game vending machines Management office with desk and lower-priced laptop computer Staff lunchroom equipment such as microwave, sink, cupboards and refrigerator 20 four-seater tables with chairs Busing cart for transporting dirty dishes from the dining area to the dishwashing area 140 sets of dishes, including cutlery and drinking cups Commercial dishwasher Miscellaneous cooking and food handling equipment like trays, lifters, spoons, pots etcetera The cost of an average of 7 employees on the payroll. All operating costs, such as advertising, rent for a 3,500 square foot facility with male and female washrooms (already installed), utilities, maintenance, and annual depreciation *If you have questions about startup requirements, or think other startup costs necessary for the business are missing, then make an assumption and state it in the relevant section of the report. Given Financial Assumptions* The owner will be granted a loan for the initial startup, repayable over 10 years at current interest rates for small business loans. The owner will use personal funds to operate the business until it generates enough cash flow to fund itself. Essentially, all sales are made by credit card. All credit card sales are paid to the restaurant daily by the credit card company. 2.5% of sales is paid to the credit card company in fees. Food suppliers give 30 days of trade credit. Inventories are expected to be approximately 10% of the following month’s sales. The average meal costs $4.00 in materials and labor. The average family spends $4.00 on vending machine tokens. Equipment is depreciated on a straight-line basis over 5 years. Managers have health benefits, other workers do not. The company will operate from 10:00 am to 9:00 pm, 7 days a week. The entrepreneur will manage the store and draw a salary. Every shift has one person on the cash register, one keeping the food bars stocked with food, two cooking the food, one on busing and table cleaning, a manager, and assistant manager. *If you believe any other assumptions are necessary, please state them in your budget proposal.
All Discussion Questions
w1 dq1 Budgeting and Planning w1 dq2 Forecasting Techniques w2 dq1 Linear Regression w2 dq2 Seasonal Variations w3 dq1 Revenue Budget w3 dq2 Capital Expenditures Budget w4 dq1 Capital Budgeting w4 dq2 New Business Startups w5 dq1 Master Budget w5 dq2 Cash Budgeting w6 dq1 Cost Behavior w6 dq2 Variance Analysis w7 dq1 Administering the Budget w7 dq2 Presenting and Defending a Budget
 BUSN 278 Week 4 Midterm
(TCO 1) The type of budget that is updated on a regular basis is known as a ________________ (TCO 2) The quantitative forecasting method that uses actual sales from recent time periods to predict future sales assuming that the closest time period is a more accurate predictor of future sales is: (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________ (TCO 4) Capital expenditures are incurred for all of the following reasons except: (TCO 5) Which of the following is not true when ranking proposals using zero-base budgeting? (TCO 6) Which of the following ignores the time value of money? (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting. Discuss this form of budgeting and identify its advantages and disadvantages. (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models. (TCO 2) The Federal Election Commission maintains data showing the voting age population, the number of registered voters, and the turnout for federal elections. The following table shows the national voter turnout as a percentage of the voting age population from 1972 to 1996 (The Wall Street Journal Almanac; 1998):
(TCO 3) Use the table “Food and Beverage Sales for Paul’s Pizzeria” to answer the questions below. (TCO 6) Jackson Company is considering two capital investment proposals. Estimates regarding each project are provided below: (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.
Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return
 BUSN 278 Final Exam Answers
 (TCO 1) Which of the following statements regarding research and development is incorrect?
 (TCO 2) Priority budgeting that ranks activities is known as:
 (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________
 (TCO 4) It is important that budgets be accepted by:
 (TCO 5) The qualitative forecasting method that individually questions a panel of experts is ________________
 (TCO 6) Which of the following is a disadvantage of the payback technique?
 (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting.  Discuss this form of budgeting and identify its advantages and disadvantages.
 (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models.
 (TCO 2) Use the table “Manufacturing Capacity Utilization” to answer the questions below.
Manufacturing  Capacity Utilization
In  Percentages
Day
Utilization
Day
Utilization
1
82.5
9
78.8
2
81.3
10
78.7
3
81.3
11
78.4
4
79.0
12
80.0
5
76.6
13
80.7
6
78.0
14
80.7
7
78.4
15
80.8
8
78.0
Part (a) What is the project manufacturing capacity utilization for Day 16 using a three day moving average? Part (b) What is the project manufacturing capacity utilization for Day 16 using a six day moving average? Part (c) Use the mean absolute deviation (MAD) and mean square error
 (TCO 3) Use the table “Food and Beverage Sales for Luigi’s Italian Restaurant” to answer the questions below.
Food and Beverage Sales for  Luigi’s Italian Restaurant
($000s)
Month
First  Year
Second  Year
January
218
237
February
212
215
March
209
223
April
251
174
May
256
174
June
216
135
July
131
142
August
137
145
September
99
110
October
117
117
November
137
151
December
213
208
Part (a) Calculate the regression line and forecast sales for February of Year 3. Part (b) Calculate the seasonal forecast of sales for February of Year 3. Part (c) Which forecast do you think is most accurate and why?
 (TCO 6) Davis Company is considering two capital investment proposals. Estimates regarding each project are provided below:
Project  A
Project  B
Initial Investment
$800,000
$650,000
Annual Net Income
$50,000
45,000
Annual Cash Inflow
$220,000
$200,000
Salvage Value
$0
$0
Estimated Useful Life
5  years
4  years
The company requires a 10% rate of return on all new investments.
Part (a) Calculate the payback period for each project. Part (b) Calculate the net present value for each project. Part (c) Which project should Jackson Company accept and why?
  (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.   Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return.
0 notes
my-lesliemeyers-blog · 8 years ago
Text
BUSN 278 Budgeting and Forecasting Entire Course
https://homeworklance.com/downloads/busn-278-budgeting-and-forecasting-entire-course/
 BUSN 278 Budgeting and Forecasting Entire Course
 BUSN278 Week 1 Section 1.0 Executive Summary (Draft)
BUSN 278 Week 2 Section 2.0 Sales Forecast (Draft)
BUSN278 Week 3 Section 3.0 Capital Expenditure Budget (Draft)
BUSN278 Week 4 Section 4.0 Investment Analysis (Draft)
BUSN278 Week 5 Section 5.1 Pro Forma Income Statement  (Draft)
BUSN278 Week 6 Section 5.2 Pro Forma Cash Flow Statements (Draft)
BUSN278 Week 7 Final Budget Proposal
BUSN278 Week 7 Final Presentation
 BUSN278 Course Project (Papa Geo’s Restaurant)
 Project Overview: This is an individual project where you will be acting as a consultant to an entrepreneur who wants to start a new business. As the consultant, you’ll create a 5 year budget that supports the entrepreneur’s vision and strategy, as well as the needs for equipment, labor, and other startup costs. You can choose from one of three types of new business startups — a landscaping company, a restaurant, or an electronics store that sells portable computing devices. Each business has its own Business Profile detailed in the sections below. The purpose of the Business Profile is to guide you in understanding the scope of the business, the entrepreneur’s startup costs, and financial assumptions. The project requires you to create a written budget proposal, a supporting Excel Workbook showing your calculations, and a PowerPoint presentation summarizing the key elements of the budget proposal, which you assume will be presented to a management team. This is an individual project. Each week you will complete a section of the project in draft form. In Week 7, you will submit the final version of the project’s Budget Proposal, Budget Workbook, and Budget Presentation in PowerPoint. Deliverables Schedule / Points Week Deliverable Points 1 Section 1.0 Executive Summary (Draft) 10 2 Section 2.0 Sales Forecast (Draft) 10 3 Section 3.0 Capital Expenditure Budget (Draft) 10 4 Section 4.0 Investment Analysis (Draft) 10 5 Section 5.1 Pro Forma Income Statement (Draft) 10 6 Section 5.2 Pro Forma Cash Flow Statements (Draft) 10 7 Final Budget Proposal 90 7 Final Presentation w/ PowerPoint 30 Total project points 180 Business Profile:Papa Geo’s – Restaurant Vision The vision of the entrepreneur is to create a single-location, sit-down Italian restaurant called Papa Geo’s. The goal is to generate an income of $40,000 per year, starting sometime in the second year of operation, as wells as profit that is at least 2% of sales. Strategy a) Market Focus/Analysis The restaurant targets middle to lower-middle class families with children, as well as adults and seniors, located in Orlando, Florida. The area within 15 minutes of the store has 10,000 families, mostly from lower to middle class neighborhoods. Average family size is 4 people per household. There is no direct competition; however, there are fast food restaurants like McDonald’s, Taco Bell and Wendy’s in the geographical target market. The lower to middle class population is growing at about 6% per year over the next five years in this area. b) Product The product is Italian food served buffet style, in an all-you-can-eat format, with a salad bar, pizza, several different types of pasta with three or four types of sauces, soup, desserts, and a self-serve soda bar. The restaurant is also to have a 500 square foot gaming area which has game machines that children would be interested in using. c) Basis of Competition Customers come to this restaurant because of the good Italian food at a low price – you can get a meal for $7, including drinks. Customers also eat at Papa Geo’s due to the cleanliness of the facility, the speed of getting their seat and food, and the vending machines which keep the children busy while adults enjoy their meal. Startup Requirements* Given Costs • The cost of registering a limited liability company in Florida – filing fees listed at the bottom of the application for located at: http://form.sunbiz.org/pdf/cr2e047.pdf • Renovation of the facility expected to cost $15,000 • Business insurance, estimated at $1,000 per year • Health and other benefits are 20% of the salaries of the manager and assistant manager Costs you should estimate through research, experience or other methods Soda fountain bar 2 pizza ovens Salad and pizza/dessert bar Approximately 100 square foot commercial refrigerator 2 cash registers 6 video game vending machines Management office with desk and lower-priced laptop computer Staff lunchroom equipment such as microwave, sink, cupboards and refrigerator 20 four-seater tables with chairs Busing cart for transporting dirty dishes from the dining area to the dishwashing area 140 sets of dishes, including cutlery and drinking cups Commercial dishwasher Miscellaneous cooking and food handling equipment like trays, lifters, spoons, pots etcetera The cost of an average of 7 employees on the payroll. All operating costs, such as advertising, rent for a 3,500 square foot facility with male and female washrooms (already installed), utilities, maintenance, and annual depreciation *If you have questions about startup requirements, or think other startup costs necessary for the business are missing, then make an assumption and state it in the relevant section of the report. Given Financial Assumptions* The owner will be granted a loan for the initial startup, repayable over 10 years at current interest rates for small business loans. The owner will use personal funds to operate the business until it generates enough cash flow to fund itself. Essentially, all sales are made by credit card. All credit card sales are paid to the restaurant daily by the credit card company. 2.5% of sales is paid to the credit card company in fees. Food suppliers give 30 days of trade credit. Inventories are expected to be approximately 10% of the following month’s sales. The average meal costs $4.00 in materials and labor. The average family spends $4.00 on vending machine tokens. Equipment is depreciated on a straight-line basis over 5 years. Managers have health benefits, other workers do not. The company will operate from 10:00 am to 9:00 pm, 7 days a week. The entrepreneur will manage the store and draw a salary. Every shift has one person on the cash register, one keeping the food bars stocked with food, two cooking the food, one on busing and table cleaning, a manager, and assistant manager. *If you believe any other assumptions are necessary, please state them in your budget proposal.
All Discussion Questions
w1 dq1 Budgeting and Planning w1 dq2 Forecasting Techniques w2 dq1 Linear Regression w2 dq2 Seasonal Variations w3 dq1 Revenue Budget w3 dq2 Capital Expenditures Budget w4 dq1 Capital Budgeting w4 dq2 New Business Startups w5 dq1 Master Budget w5 dq2 Cash Budgeting w6 dq1 Cost Behavior w6 dq2 Variance Analysis w7 dq1 Administering the Budget w7 dq2 Presenting and Defending a Budget
 BUSN 278 Week 4 Midterm
(TCO 1) The type of budget that is updated on a regular basis is known as a ________________ (TCO 2) The quantitative forecasting method that uses actual sales from recent time periods to predict future sales assuming that the closest time period is a more accurate predictor of future sales is: (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________ (TCO 4) Capital expenditures are incurred for all of the following reasons except: (TCO 5) Which of the following is not true when ranking proposals using zero-base budgeting? (TCO 6) Which of the following ignores the time value of money? (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting. Discuss this form of budgeting and identify its advantages and disadvantages. (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models. (TCO 2) The Federal Election Commission maintains data showing the voting age population, the number of registered voters, and the turnout for federal elections. The following table shows the national voter turnout as a percentage of the voting age population from 1972 to 1996 (The Wall Street Journal Almanac; 1998):
(TCO 3) Use the table “Food and Beverage Sales for Paul’s Pizzeria” to answer the questions below. (TCO 6) Jackson Company is considering two capital investment proposals. Estimates regarding each project are provided below: (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.
Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return
 BUSN 278 Final Exam Answers
 (TCO 1) Which of the following statements regarding research and development is incorrect?
 (TCO 2) Priority budgeting that ranks activities is known as:
 (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________
 (TCO 4) It is important that budgets be accepted by:
 (TCO 5) The qualitative forecasting method that individually questions a panel of experts is ________________
 (TCO 6) Which of the following is a disadvantage of the payback technique?
 (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting.  Discuss this form of budgeting and identify its advantages and disadvantages.
 (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models.
 (TCO 2) Use the table “Manufacturing Capacity Utilization” to answer the questions below.
Manufacturing  Capacity Utilization
In  Percentages
Day
Utilization
Day
Utilization
1
82.5
9
78.8
2
81.3
10
78.7
3
81.3
11
78.4
4
79.0
12
80.0
5
76.6
13
80.7
6
78.0
14
80.7
7
78.4
15
80.8
8
78.0
Part (a) What is the project manufacturing capacity utilization for Day 16 using a three day moving average? Part (b) What is the project manufacturing capacity utilization for Day 16 using a six day moving average? Part (c) Use the mean absolute deviation (MAD) and mean square error
 (TCO 3) Use the table “Food and Beverage Sales for Luigi’s Italian Restaurant” to answer the questions below.
Food and Beverage Sales for  Luigi’s Italian Restaurant
($000s)
Month
First  Year
Second  Year
January
218
237
February
212
215
March
209
223
April
251
174
May
256
174
June
216
135
July
131
142
August
137
145
September
99
110
October
117
117
November
137
151
December
213
208
Part (a) Calculate the regression line and forecast sales for February of Year 3. Part (b) Calculate the seasonal forecast of sales for February of Year 3. Part (c) Which forecast do you think is most accurate and why?
 (TCO 6) Davis Company is considering two capital investment proposals. Estimates regarding each project are provided below:
Project  A
Project  B
Initial Investment
$800,000
$650,000
Annual Net Income
$50,000
45,000
Annual Cash Inflow
$220,000
$200,000
Salvage Value
$0
$0
Estimated Useful Life
5  years
4  years
The company requires a 10% rate of return on all new investments.
Part (a) Calculate the payback period for each project. Part (b) Calculate the net present value for each project. Part (c) Which project should Jackson Company accept and why?
  (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.   Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return.
0 notes
denicewilt-blog · 8 years ago
Text
BUSN 278 Budgeting and Forecasting Entire Course
https://homeworklance.com/downloads/busn-278-budgeting-and-forecasting-entire-course/
 BUSN 278 Budgeting and Forecasting Entire Course
 BUSN278 Week 1 Section 1.0 Executive Summary (Draft)
BUSN 278 Week 2 Section 2.0 Sales Forecast (Draft)
BUSN278 Week 3 Section 3.0 Capital Expenditure Budget (Draft)
BUSN278 Week 4 Section 4.0 Investment Analysis (Draft)
BUSN278 Week 5 Section 5.1 Pro Forma Income Statement  (Draft)
BUSN278 Week 6 Section 5.2 Pro Forma Cash Flow Statements (Draft)
BUSN278 Week 7 Final Budget Proposal
BUSN278 Week 7 Final Presentation
 BUSN278 Course Project (Papa Geo’s Restaurant)
 Project Overview: This is an individual project where you will be acting as a consultant to an entrepreneur who wants to start a new business. As the consultant, you’ll create a 5 year budget that supports the entrepreneur’s vision and strategy, as well as the needs for equipment, labor, and other startup costs. You can choose from one of three types of new business startups — a landscaping company, a restaurant, or an electronics store that sells portable computing devices. Each business has its own Business Profile detailed in the sections below. The purpose of the Business Profile is to guide you in understanding the scope of the business, the entrepreneur’s startup costs, and financial assumptions. The project requires you to create a written budget proposal, a supporting Excel Workbook showing your calculations, and a PowerPoint presentation summarizing the key elements of the budget proposal, which you assume will be presented to a management team. This is an individual project. Each week you will complete a section of the project in draft form. In Week 7, you will submit the final version of the project’s Budget Proposal, Budget Workbook, and Budget Presentation in PowerPoint. Deliverables Schedule / Points Week Deliverable Points 1 Section 1.0 Executive Summary (Draft) 10 2 Section 2.0 Sales Forecast (Draft) 10 3 Section 3.0 Capital Expenditure Budget (Draft) 10 4 Section 4.0 Investment Analysis (Draft) 10 5 Section 5.1 Pro Forma Income Statement (Draft) 10 6 Section 5.2 Pro Forma Cash Flow Statements (Draft) 10 7 Final Budget Proposal 90 7 Final Presentation w/ PowerPoint 30 Total project points 180 Business Profile:Papa Geo’s – Restaurant Vision The vision of the entrepreneur is to create a single-location, sit-down Italian restaurant called Papa Geo’s. The goal is to generate an income of $40,000 per year, starting sometime in the second year of operation, as wells as profit that is at least 2% of sales. Strategy a) Market Focus/Analysis The restaurant targets middle to lower-middle class families with children, as well as adults and seniors, located in Orlando, Florida. The area within 15 minutes of the store has 10,000 families, mostly from lower to middle class neighborhoods. Average family size is 4 people per household. There is no direct competition; however, there are fast food restaurants like McDonald’s, Taco Bell and Wendy’s in the geographical target market. The lower to middle class population is growing at about 6% per year over the next five years in this area. b) Product The product is Italian food served buffet style, in an all-you-can-eat format, with a salad bar, pizza, several different types of pasta with three or four types of sauces, soup, desserts, and a self-serve soda bar. The restaurant is also to have a 500 square foot gaming area which has game machines that children would be interested in using. c) Basis of Competition Customers come to this restaurant because of the good Italian food at a low price – you can get a meal for $7, including drinks. Customers also eat at Papa Geo’s due to the cleanliness of the facility, the speed of getting their seat and food, and the vending machines which keep the children busy while adults enjoy their meal. Startup Requirements* Given Costs • The cost of registering a limited liability company in Florida – filing fees listed at the bottom of the application for located at: http://form.sunbiz.org/pdf/cr2e047.pdf • Renovation of the facility expected to cost $15,000 • Business insurance, estimated at $1,000 per year • Health and other benefits are 20% of the salaries of the manager and assistant manager Costs you should estimate through research, experience or other methods Soda fountain bar 2 pizza ovens Salad and pizza/dessert bar Approximately 100 square foot commercial refrigerator 2 cash registers 6 video game vending machines Management office with desk and lower-priced laptop computer Staff lunchroom equipment such as microwave, sink, cupboards and refrigerator 20 four-seater tables with chairs Busing cart for transporting dirty dishes from the dining area to the dishwashing area 140 sets of dishes, including cutlery and drinking cups Commercial dishwasher Miscellaneous cooking and food handling equipment like trays, lifters, spoons, pots etcetera The cost of an average of 7 employees on the payroll. All operating costs, such as advertising, rent for a 3,500 square foot facility with male and female washrooms (already installed), utilities, maintenance, and annual depreciation *If you have questions about startup requirements, or think other startup costs necessary for the business are missing, then make an assumption and state it in the relevant section of the report. Given Financial Assumptions* The owner will be granted a loan for the initial startup, repayable over 10 years at current interest rates for small business loans. The owner will use personal funds to operate the business until it generates enough cash flow to fund itself. Essentially, all sales are made by credit card. All credit card sales are paid to the restaurant daily by the credit card company. 2.5% of sales is paid to the credit card company in fees. Food suppliers give 30 days of trade credit. Inventories are expected to be approximately 10% of the following month’s sales. The average meal costs $4.00 in materials and labor. The average family spends $4.00 on vending machine tokens. Equipment is depreciated on a straight-line basis over 5 years. Managers have health benefits, other workers do not. The company will operate from 10:00 am to 9:00 pm, 7 days a week. The entrepreneur will manage the store and draw a salary. Every shift has one person on the cash register, one keeping the food bars stocked with food, two cooking the food, one on busing and table cleaning, a manager, and assistant manager. *If you believe any other assumptions are necessary, please state them in your budget proposal.
All Discussion Questions
w1 dq1 Budgeting and Planning w1 dq2 Forecasting Techniques w2 dq1 Linear Regression w2 dq2 Seasonal Variations w3 dq1 Revenue Budget w3 dq2 Capital Expenditures Budget w4 dq1 Capital Budgeting w4 dq2 New Business Startups w5 dq1 Master Budget w5 dq2 Cash Budgeting w6 dq1 Cost Behavior w6 dq2 Variance Analysis w7 dq1 Administering the Budget w7 dq2 Presenting and Defending a Budget
 BUSN 278 Week 4 Midterm
(TCO 1) The type of budget that is updated on a regular basis is known as a ________________ (TCO 2) The quantitative forecasting method that uses actual sales from recent time periods to predict future sales assuming that the closest time period is a more accurate predictor of future sales is: (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________ (TCO 4) Capital expenditures are incurred for all of the following reasons except: (TCO 5) Which of the following is not true when ranking proposals using zero-base budgeting? (TCO 6) Which of the following ignores the time value of money? (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting. Discuss this form of budgeting and identify its advantages and disadvantages. (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models. (TCO 2) The Federal Election Commission maintains data showing the voting age population, the number of registered voters, and the turnout for federal elections. The following table shows the national voter turnout as a percentage of the voting age population from 1972 to 1996 (The Wall Street Journal Almanac; 1998):
(TCO 3) Use the table “Food and Beverage Sales for Paul’s Pizzeria” to answer the questions below. (TCO 6) Jackson Company is considering two capital investment proposals. Estimates regarding each project are provided below: (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.
Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return
 BUSN 278 Final Exam Answers
 (TCO 1) Which of the following statements regarding research and development is incorrect?
 (TCO 2) Priority budgeting that ranks activities is known as:
 (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________
 (TCO 4) It is important that budgets be accepted by:
 (TCO 5) The qualitative forecasting method that individually questions a panel of experts is ________________
 (TCO 6) Which of the following is a disadvantage of the payback technique?
 (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting.  Discuss this form of budgeting and identify its advantages and disadvantages.
 (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models.
 (TCO 2) Use the table “Manufacturing Capacity Utilization” to answer the questions below.
Manufacturing  Capacity Utilization
In  Percentages
Day
Utilization
Day
Utilization
1
82.5
9
78.8
2
81.3
10
78.7
3
81.3
11
78.4
4
79.0
12
80.0
5
76.6
13
80.7
6
78.0
14
80.7
7
78.4
15
80.8
8
78.0
Part (a) What is the project manufacturing capacity utilization for Day 16 using a three day moving average? Part (b) What is the project manufacturing capacity utilization for Day 16 using a six day moving average? Part (c) Use the mean absolute deviation (MAD) and mean square error
 (TCO 3) Use the table “Food and Beverage Sales for Luigi’s Italian Restaurant” to answer the questions below.
Food and Beverage Sales for  Luigi’s Italian Restaurant
($000s)
Month
First  Year
Second  Year
January
218
237
February
212
215
March
209
223
April
251
174
May
256
174
June
216
135
July
131
142
August
137
145
September
99
110
October
117
117
November
137
151
December
213
208
Part (a) Calculate the regression line and forecast sales for February of Year 3. Part (b) Calculate the seasonal forecast of sales for February of Year 3. Part (c) Which forecast do you think is most accurate and why?
 (TCO 6) Davis Company is considering two capital investment proposals. Estimates regarding each project are provided below:
Project  A
Project  B
Initial Investment
$800,000
$650,000
Annual Net Income
$50,000
45,000
Annual Cash Inflow
$220,000
$200,000
Salvage Value
$0
$0
Estimated Useful Life
5  years
4  years
The company requires a 10% rate of return on all new investments.
Part (a) Calculate the payback period for each project. Part (b) Calculate the net present value for each project. Part (c) Which project should Jackson Company accept and why?
  (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.   Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return.
0 notes
criz200016 · 8 years ago
Text
Dunstabzugshaube - Reinigungstipps bei Edelstahl
New Post has been published on https://kuechenfans.de/edelstahl/
Dunstabzugshaube - Reinigungstipps bei Edelstahl
Dunstabzugshauben “ Edelstahl “ sollten die passende Reinigung bekommen
Bereits nach der Montage einer Dunstabzugshaube sieht das Edelstahl von Haube und Schacht meist nicht mehr schön aus. Fingerabdrücke von Schweiß und Körperfett zeichnet sich direkt auf dem Material ab und sieht alles andere als schön aus. Oft wird man von Kunden auch direkt darauf hingewiesen.
Das Problem lässt sich dennoch ganz einfach lösen, auch für die Zukunft aufgrund von Verunreinigungen durch Essensreste und Fett. Das wichtigste an erster Stelle ist die Regelmäßigkeit der Reinigung. Wer seine Sachen pflegt, wird auch lange Freude damit haben.
  Wie wichtig ist die Reinigung?
Die regelmäßige Reinigung der Fettfilter gewährleistet die durchgehende Funktion der Dunstabzugshaube. Jeder kocht unterschiedlich oft, aber dennoch ist einmal in Monat absolut empfehlenswert. Einfach die Fettfilter ausklipsen und in die Spülmaschine, einfacher geht es nicht. Je mehr Fett im Filter, desto geringer ist die Leistung. Man kann die Saugkraft mit einem Blatt Papier optimal prüfen.
Leider entstehen auch Verschmutzungen durch Staub, Fett oder Fingerabdrücke außen am Gehäuse. Jetzt mal ehrlich, was bringt eine edele Designerhaube in einem ekligen Zustand? Wir sind uns einig, das findet niemand so toll. Die Optik ist bei der Wahl der Haube ein entscheidender Faktor.
Effektiv für die Reinigung ist ganz üblich und bekannt der Edelstahlreiniger aus dem Handel. Nicht jeder ist bereit den hohen Preis dafür zu zahlen, weil es günstige bzw. fast kostenlose Haushaltsmittel gibt für Edelstahl.
Herkömmliches Babyöl wirkt wie Wunder auf Edelstahlhauben, probiert es aus. Es reinigt alles einwandfrei und schützt zudem vor neuem Verschmutzungen. Auch die Reinigungsmilch ist nennenswert, aber bildet euch eure eigene Meinung.
  Unterschiedliche Reinigung der Dunstabzugshaube:
Gerüche, Fett und Dampf lassen sich beim Kochen nicht vermeiden und da kommt die Dunstabzugshaube ins Spiel. Fettfilter und Kohlefilter sorgen für den besseren Geruch in der Küche nach dem bzw. während dem Kochen.
Unterschieden wird in der Betriebsart zwischen Umluft und Abluft. Dieses Thema habe ich schon vorgestellt und findet man bei Interesse …. HIER!
Kohlefilter sollten mindestens einmal im Jahr getauscht werden. Diese lassen sich auch nicht reinigen, sondern landen auf dem Müll. Ganz günstig bekommen sie diese allerdings auch nicht, wir haben für euch die besten Angebote gefunden.
  Fettfilter säubern in der Geschirrspülmaschine:
Haube öffnen und Fettfilter entnehmen
Hochkant in die Maschine wie z.b. ein Teller
Gutes Programm wählen, Fett ist hartnäckig
  Reinigung per Hand:
Mischung aus Spülmittel und heißem Wasser.
Einweichen lassen für mindesten 20 Minuten
Grober Schmutz mit der Bürste entfernen
Alkalischen Küchenreiniger reinigt auch sogenannte Härtefälle.
  Produkte von Amazon.de
Vermop Alkalischer Küchenreiniger 1l.
Preis: EUR 8,50
Superol - Küchen-Fettlöser Hochkonzentrat der Fett- und Eiweißlöser aus der Industrie / (1 Liter)
Preis: EUR 12,99
Leifheit 41413 Fettlöser Spray 500 ml
Preis: EUR 5,99
Superol - Grill- und Backofen-Reiniger aus der Industrie (1 Liter Flasche)
Preis: EUR 13,99
PURINA Fettlöser, alkalisch Kanister 10 Liter
Preis: EUR 52,21
‹ ›
jQuery(document).ready(function() var CONSTANTS = productMinWidth : 185, productMargin : 20 ; var $adUnits = jQuery('.aalb-pg-ad-unit'); $adUnits.each(function() columns; if( columns ) var productContainerMinWidth = columns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + columns + 'n + 1)' ).css( 'clear', 'both' ); if( rows && columns ) var cutOffIndex = (rows * columns) - 1; $products.filter( ':gt(' + cutOffIndex + ')' ).remove(); function updateLayout() columns; var productWidth = parseInt( wrapperWidth / actualColumns, 10 ) - CONSTANTS.productMargin; /** * calculating productContainerMinWidth and assigning it as min-width to adUnit ,ProductContainer and * products of ADUnit displayed on updateLayout as to override the values coming from closure.Becuase of * closure the wrapper width was having values generated when the screen was rendered at first time. */ var productContainerMinWidth = actualColumns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + actualColumns + 'n + 1)' ).css( 'clear', 'both' ); /** * When actualColumns is 1 ,the images tend to move towards right of wrapper area.Therefore assigning the * productContainerMinWidth to product when actualColumns is 1 **/ if( actualColumns == 1 ) $products.css( 'width', productContainerMinWidth + 'px' ); var productImage = jQuery('.aalb-pg-product-image'); productImage.css('margin-left','0px'); else $products.css( 'width', productWidth + 'px' ); if (!disableCarousel) if ((productCount * productWidth > wrapperWidth) && actualColumns !== 1) $btnNext.css('visibility', 'visible').removeClass('disabled').unbind('click'); $btnPrev.css('visibility', 'visible').removeClass('disabled').unbind('click'); $productContainer.jCarouselLite( btnNext : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-next', btnPrev : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-prev', visible : actualColumns, circular : false ); else $productContainer.css('width', 'auto'); $productList.css('width', 'auto'); $btnNext.css('visibility', 'hidden').unbind('click'); $btnPrev.css('visibility', 'hidden').unbind('click'); updateLayout(); jQuery(window).resize(updateLayout); ); ); /*! * jCarouselLite - v1.1 - 2014-09-28 * http://www.gmarwaha.com/jquery/jcarousellite/ * Copyright (c) 2014 Ganeshji Marwaha * Licensed MIT (https://github.com/ganeshmax/jcarousellite/blob/master/LICENSE) */ !function(a)a.jCarouselLite=version:"1.1",a.fn.jCarouselLite=function(b)),this.each(function()function c(a)return nfunction d()if(n=!1,o=b.vertical?"top":"left",p=b.vertical?"height":"width",q=B.find(">ul"),r=q.find(">li"),x=r.size(),w=x<b.visible?x:b.visible,b.circular)var c=r.slice(x-w).clone(),d=r.slice(0,w).clone();q.prepend(c).append(d),b.start+=ws=a("li",q),y=s.size(),z=b.startfunction e()B.css("visibility","visible"),s.css(overflow:"hidden","float":b.vertical?"none":"left"),q.css(margin:"0",padding:"0",position:"relative","list-style":"none","z-index":"1"),B.css(overflow:"hidden",position:"relative","z-index":"2",left:"0px"),!b.circular&&b.btnPrev&&0==b.start&&a(b.btnPrev).addClass("disabled")function f()t=b.vertical?s.outerHeight(!0):s.outerWidth(!0),u=t*y,v=t*w,s.css(width:s.width(),height:s.height()),q.css(p,u+"px").css(o,-(z*t)),B.css(p,v+"px")function g()b.btnPrev&&a(b.btnPrev).click(function()return c(z-b.scroll)),b.btnNext&&a(b.btnNext).click(function()return c(z+b.scroll)),b.btnGo&&a.each(b.btnGo,function(d,e)a(e).click(function()return c(b.circular?w+d:d))),b.mouseWheel&&B.mousewheel&&B.mousewheel(function(a,d)return c(d>0?z-b.scroll:z+b.scroll)),b.auto&&h()function h()A=setTimeout(function()c(z+b.scroll),b.auto)function i()return s.slice(z).slice(0,w)function j(a)var c;a<=b.start-w-1?(c=a+x+b.scroll,q.css(o,-(c*t)+"px"),z=c-b.scroll):a>=y-w+1&&(c=a-x-b.scroll,q.css(o,-(c*t)+"px"),z=c+b.scroll)function k(a)0>a?z=0:a>y-w&&(z=y-w)function l()a(b.btnPrev+","+b.btnNext).removeClass("disabled"),a(z-b.scroll<0&&b.btnPrevfunction m(c)n=!0,q.animate("left"==o?left:-(z*t):top:-(z*t),a.extend(duration:b.speed,easing:b.easing,c))var n,o,p,q,r,s,t,u,v,w,x,y,z,A,B=a(this);d(),e(),f(),g()),a.fn.jCarouselLite.options=btnPrev:null,btnNext:null,btnGo:null,mouseWheel:!1,auto:null,speed:200,easing:null,vertical:!1,circular:!0,visible:3,start:0,scroll:1,beforeStart:null,afterEnd:null(jQuery);
Produkte von Amazon.de
AEG Metall-Fettfilter 4055344149 / 50268370009
Preis: EUR 26,49
Xavax Universal Dunstabzug-Flachfilter mit Sättigungsanzeige, 2er Set, Individueller Zuschnitt, 47 x 57 cm
Preis: EUR 6,49
Siemens Metall-Fettfilter 353110
Preis: EUR 38,80
-25%
Universal Aktivkohlefilter / Aktiv-Kohlefilter für jede Dunstabzugshaube geeignet, Filter Dunstabzug zuschneidbar - 47x57cm - Set Fettfilter + Aktivkohle für geruchsfreie Küche
Preis: EUR 8,95
statt: EUR 11,95
Various W4-49904 HQ UNIVERSAL KOHLE/FETTFILTER
Preis: EUR 7,19
‹ ›
jQuery(document).ready(function() var CONSTANTS = productMinWidth : 185, productMargin : 20 ; var $adUnits = jQuery('.aalb-pg-ad-unit'); $adUnits.each(function() columns; if( columns ) var productContainerMinWidth = columns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + columns + 'n + 1)' ).css( 'clear', 'both' ); if( rows && columns ) var cutOffIndex = (rows * columns) - 1; $products.filter( ':gt(' + cutOffIndex + ')' ).remove(); function updateLayout() columns; var productWidth = parseInt( wrapperWidth / actualColumns, 10 ) - CONSTANTS.productMargin; /** * calculating productContainerMinWidth and assigning it as min-width to adUnit ,ProductContainer and * products of ADUnit displayed on updateLayout as to override the values coming from closure.Becuase of * closure the wrapper width was having values generated when the screen was rendered at first time. */ var productContainerMinWidth = actualColumns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + actualColumns + 'n + 1)' ).css( 'clear', 'both' ); /** * When actualColumns is 1 ,the images tend to move towards right of wrapper area.Therefore assigning the * productContainerMinWidth to product when actualColumns is 1 **/ if( actualColumns == 1 ) $products.css( 'width', productContainerMinWidth + 'px' ); var productImage = jQuery('.aalb-pg-product-image'); productImage.css('margin-left','0px'); else $products.css( 'width', productWidth + 'px' ); if (!disableCarousel) if ((productCount * productWidth > wrapperWidth) && actualColumns !== 1) $btnNext.css('visibility', 'visible').removeClass('disabled').unbind('click'); $btnPrev.css('visibility', 'visible').removeClass('disabled').unbind('click'); $productContainer.jCarouselLite( btnNext : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-next', btnPrev : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-prev', visible : actualColumns, circular : false ); else $productContainer.css('width', 'auto'); $productList.css('width', 'auto'); $btnNext.css('visibility', 'hidden').unbind('click'); $btnPrev.css('visibility', 'hidden').unbind('click'); updateLayout(); jQuery(window).resize(updateLayout); ); ); /*! * jCarouselLite - v1.1 - 2014-09-28 * http://www.gmarwaha.com/jquery/jcarousellite/ * Copyright (c) 2014 Ganeshji Marwaha * Licensed MIT (https://github.com/ganeshmax/jcarousellite/blob/master/LICENSE) */ !function(a)a.jCarouselLite=version:"1.1",a.fn.jCarouselLite=function(b)),this.each(function()function c(a)return nfunction d()if(n=!1,o=b.vertical?"top":"left",p=b.vertical?"height":"width",q=B.find(">ul"),r=q.find(">li"),x=r.size(),w=x<b.visible?x:b.visible,b.circular)var c=r.slice(x-w).clone(),d=r.slice(0,w).clone();q.prepend(c).append(d),b.start+=ws=a("li",q),y=s.size(),z=b.startfunction e()B.css("visibility","visible"),s.css(overflow:"hidden","float":b.vertical?"none":"left"),q.css(margin:"0",padding:"0",position:"relative","list-style":"none","z-index":"1"),B.css(overflow:"hidden",position:"relative","z-index":"2",left:"0px"),!b.circular&&b.btnPrev&&0==b.start&&a(b.btnPrev).addClass("disabled")function f()t=b.vertical?s.outerHeight(!0):s.outerWidth(!0),u=t*y,v=t*w,s.css(width:s.width(),height:s.height()),q.css(p,u+"px").css(o,-(z*t)),B.css(p,v+"px")function g()b.btnPrev&&a(b.btnPrev).click(function()return c(z-b.scroll)),b.btnNext&&a(b.btnNext).click(function()return c(z+b.scroll)),b.btnGo&&a.each(b.btnGo,function(d,e)a(e).click(function()return c(b.circular?w+d:d))),b.mouseWheel&&B.mousewheel&&B.mousewheel(function(a,d)return c(d>0?z-b.scroll:z+b.scroll)),b.auto&&h()function h()A=setTimeout(function()c(z+b.scroll),b.auto)function i()return s.slice(z).slice(0,w)function j(a)var c;a<=b.start-w-1?(c=a+x+b.scroll,q.css(o,-(c*t)+"px"),z=c-b.scroll):a>=y-w+1&&(c=a-x-b.scroll,q.css(o,-(c*t)+"px"),z=c+b.scroll)function k(a)0>a?z=0:a>y-w&&(z=y-w)function l()a(b.btnPrev+","+b.btnNext).removeClass("disabled"),a(z-b.scroll<0&&b.btnPrevfunction m(c)n=!0,q.animate("left"==o?left:-(z*t):top:-(z*t),a.extend(duration:b.speed,easing:b.easing,c))var n,o,p,q,r,s,t,u,v,w,x,y,z,A,B=a(this);d(),e(),f(),g()),a.fn.jCarouselLite.options=btnPrev:null,btnNext:null,btnGo:null,mouseWheel:!1,auto:null,speed:200,easing:null,vertical:!1,circular:!0,visible:3,start:0,scroll:1,beforeStart:null,afterEnd:null(jQuery);
Produkte von Amazon.de
Dunstabzugshauben Aktiv Kohlefilter Universal 190mm rund
Preis: EUR 8,46
DREHFLEX® - 2 Kohlefilter (SPARSET) 210 mm Durchmesser, für Dunsthaube, Dunstabzugshaube, Abzugshaube
Preis: EUR 17,69
-16%
Xavax 2er Set Universal Dunstabzug-Aktivkohlefilter, Individueller Zuschnitt, 47 x 57 cm
Preis: EUR 13,39
statt: EUR 15,99
‹ ›
jQuery(document).ready(function() var CONSTANTS = productMinWidth : 185, productMargin : 20 ; var $adUnits = jQuery('.aalb-pg-ad-unit'); $adUnits.each(function() columns; if( columns ) var productContainerMinWidth = columns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + columns + 'n + 1)' ).css( 'clear', 'both' ); if( rows && columns ) var cutOffIndex = (rows * columns) - 1; $products.filter( ':gt(' + cutOffIndex + ')' ).remove(); function updateLayout() columns; var productWidth = parseInt( wrapperWidth / actualColumns, 10 ) - CONSTANTS.productMargin; /** * calculating productContainerMinWidth and assigning it as min-width to adUnit ,ProductContainer and * products of ADUnit displayed on updateLayout as to override the values coming from closure.Becuase of * closure the wrapper width was having values generated when the screen was rendered at first time. */ var productContainerMinWidth = actualColumns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + actualColumns + 'n + 1)' ).css( 'clear', 'both' ); /** * When actualColumns is 1 ,the images tend to move towards right of wrapper area.Therefore assigning the * productContainerMinWidth to product when actualColumns is 1 **/ if( actualColumns == 1 ) $products.css( 'width', productContainerMinWidth + 'px' ); var productImage = jQuery('.aalb-pg-product-image'); productImage.css('margin-left','0px'); else $products.css( 'width', productWidth + 'px' ); if (!disableCarousel) if ((productCount * productWidth > wrapperWidth) && actualColumns !== 1) $btnNext.css('visibility', 'visible').removeClass('disabled').unbind('click'); $btnPrev.css('visibility', 'visible').removeClass('disabled').unbind('click'); $productContainer.jCarouselLite( btnNext : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-next', btnPrev : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-prev', visible : actualColumns, circular : false ); else $productContainer.css('width', 'auto'); $productList.css('width', 'auto'); $btnNext.css('visibility', 'hidden').unbind('click'); $btnPrev.css('visibility', 'hidden').unbind('click'); updateLayout(); jQuery(window).resize(updateLayout); ); ); /*! * jCarouselLite - v1.1 - 2014-09-28 * http://www.gmarwaha.com/jquery/jcarousellite/ * Copyright (c) 2014 Ganeshji Marwaha * Licensed MIT (https://github.com/ganeshmax/jcarousellite/blob/master/LICENSE) */ !function(a)a.jCarouselLite=version:"1.1",a.fn.jCarouselLite=function(b)),this.each(function()function c(a)return nfunction d()if(n=!1,o=b.vertical?"top":"left",p=b.vertical?"height":"width",q=B.find(">ul"),r=q.find(">li"),x=r.size(),w=x<b.visible?x:b.visible,b.circular)var c=r.slice(x-w).clone(),d=r.slice(0,w).clone();q.prepend(c).append(d),b.start+=ws=a("li",q),y=s.size(),z=b.startfunction e()B.css("visibility","visible"),s.css(overflow:"hidden","float":b.vertical?"none":"left"),q.css(margin:"0",padding:"0",position:"relative","list-style":"none","z-index":"1"),B.css(overflow:"hidden",position:"relative","z-index":"2",left:"0px"),!b.circular&&b.btnPrev&&0==b.start&&a(b.btnPrev).addClass("disabled")function f()t=b.vertical?s.outerHeight(!0):s.outerWidth(!0),u=t*y,v=t*w,s.css(width:s.width(),height:s.height()),q.css(p,u+"px").css(o,-(z*t)),B.css(p,v+"px")function g()b.btnPrev&&a(b.btnPrev).click(function()return c(z-b.scroll)),b.btnNext&&a(b.btnNext).click(function()return c(z+b.scroll)),b.btnGo&&a.each(b.btnGo,function(d,e)a(e).click(function()return c(b.circular?w+d:d))),b.mouseWheel&&B.mousewheel&&B.mousewheel(function(a,d)return c(d>0?z-b.scroll:z+b.scroll)),b.auto&&h()function h()A=setTimeout(function()c(z+b.scroll),b.auto)function i()return s.slice(z).slice(0,w)function j(a)var c;a<=b.start-w-1?(c=a+x+b.scroll,q.css(o,-(c*t)+"px"),z=c-b.scroll):a>=y-w+1&&(c=a-x-b.scroll,q.css(o,-(c*t)+"px"),z=c+b.scroll)function k(a)0>a?z=0:a>y-w&&(z=y-w)function l()a(b.btnPrev+","+b.btnNext).removeClass("disabled"),a(z-b.scroll<0&&b.btnPrevfunction m(c)n=!0,q.animate("left"==o?left:-(z*t):top:-(z*t),a.extend(duration:b.speed,easing:b.easing,c))var n,o,p,q,r,s,t,u,v,w,x,y,z,A,B=a(this);d(),e(),f(),g()),a.fn.jCarouselLite.options=btnPrev:null,btnNext:null,btnGo:null,mouseWheel:!1,auto:null,speed:200,easing:null,vertical:!1,circular:!0,visible:3,start:0,scroll:1,beforeStart:null,afterEnd:null(jQuery);
Produkte von Amazon.de
Penaten Pflege-Öl 500ml / Pflegendes Körperöl zur sanften Pflege und Reinigung von empfindlicher Babyhaut / Bewahrt Feuchtigkeit (1 x 500ml)
Preis: EUR 3,75
Burt's Bees Baby natürlich pflegendes Babyöl, 115ml
Preis: EUR 12,95
BÜBCHEN Baby Öl 400 ml Öl
Preis: EUR 4,79
Penaten Baby Pflege-Öl 500ml (PH)
Preis: EUR 6,33
Penaten Baby Intensiv-Pflege-Öl, 200 ml
Preis: EUR 7,10
‹ ›
jQuery(document).ready(function() var CONSTANTS = productMinWidth : 185, productMargin : 20 ; var $adUnits = jQuery('.aalb-pg-ad-unit'); $adUnits.each(function() columns; if( columns ) var productContainerMinWidth = columns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + columns + 'n + 1)' ).css( 'clear', 'both' ); if( rows && columns ) var cutOffIndex = (rows * columns) - 1; $products.filter( ':gt(' + cutOffIndex + ')' ).remove(); function updateLayout() columns; var productWidth = parseInt( wrapperWidth / actualColumns, 10 ) - CONSTANTS.productMargin; /** * calculating productContainerMinWidth and assigning it as min-width to adUnit ,ProductContainer and * products of ADUnit displayed on updateLayout as to override the values coming from closure.Becuase of * closure the wrapper width was having values generated when the screen was rendered at first time. */ var productContainerMinWidth = actualColumns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + actualColumns + 'n + 1)' ).css( 'clear', 'both' ); /** * When actualColumns is 1 ,the images tend to move towards right of wrapper area.Therefore assigning the * productContainerMinWidth to product when actualColumns is 1 **/ if( actualColumns == 1 ) $products.css( 'width', productContainerMinWidth + 'px' ); var productImage = jQuery('.aalb-pg-product-image'); productImage.css('margin-left','0px'); else $products.css( 'width', productWidth + 'px' ); if (!disableCarousel) if ((productCount * productWidth > wrapperWidth) && actualColumns !== 1) $btnNext.css('visibility', 'visible').removeClass('disabled').unbind('click'); $btnPrev.css('visibility', 'visible').removeClass('disabled').unbind('click'); $productContainer.jCarouselLite( btnNext : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-next', btnPrev : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-prev', visible : actualColumns, circular : false ); else $productContainer.css('width', 'auto'); $productList.css('width', 'auto'); $btnNext.css('visibility', 'hidden').unbind('click'); $btnPrev.css('visibility', 'hidden').unbind('click'); updateLayout(); jQuery(window).resize(updateLayout); ); ); /*! * jCarouselLite - v1.1 - 2014-09-28 * http://www.gmarwaha.com/jquery/jcarousellite/ * Copyright (c) 2014 Ganeshji Marwaha * Licensed MIT (https://github.com/ganeshmax/jcarousellite/blob/master/LICENSE) */ !function(a)a.jCarouselLite=version:"1.1",a.fn.jCarouselLite=function(b)),this.each(function()function c(a)return nfunction d()if(n=!1,o=b.vertical?"top":"left",p=b.vertical?"height":"width",q=B.find(">ul"),r=q.find(">li"),x=r.size(),w=x<b.visible?x:b.visible,b.circular)var c=r.slice(x-w).clone(),d=r.slice(0,w).clone();q.prepend(c).append(d),b.start+=ws=a("li",q),y=s.size(),z=b.startfunction e()B.css("visibility","visible"),s.css(overflow:"hidden","float":b.vertical?"none":"left"),q.css(margin:"0",padding:"0",position:"relative","list-style":"none","z-index":"1"),B.css(overflow:"hidden",position:"relative","z-index":"2",left:"0px"),!b.circular&&b.btnPrev&&0==b.start&&a(b.btnPrev).addClass("disabled")function f()t=b.vertical?s.outerHeight(!0):s.outerWidth(!0),u=t*y,v=t*w,s.css(width:s.width(),height:s.height()),q.css(p,u+"px").css(o,-(z*t)),B.css(p,v+"px")function g()b.btnPrev&&a(b.btnPrev).click(function()return c(z-b.scroll)),b.btnNext&&a(b.btnNext).click(function()return c(z+b.scroll)),b.btnGo&&a.each(b.btnGo,function(d,e)a(e).click(function()return c(b.circular?w+d:d))),b.mouseWheel&&B.mousewheel&&B.mousewheel(function(a,d)return c(d>0?z-b.scroll:z+b.scroll)),b.auto&&h()function h()A=setTimeout(function()c(z+b.scroll),b.auto)function i()return s.slice(z).slice(0,w)function j(a)var c;a<=b.start-w-1?(c=a+x+b.scroll,q.css(o,-(c*t)+"px"),z=c-b.scroll):a>=y-w+1&&(c=a-x-b.scroll,q.css(o,-(c*t)+"px"),z=c+b.scroll)function k(a)0>a?z=0:a>y-w&&(z=y-w)function l()a(b.btnPrev+","+b.btnNext).removeClass("disabled"),a(z-b.scroll<0&&b.btnPrevfunction m(c)n=!0,q.animate("left"==o?left:-(z*t):top:-(z*t),a.extend(duration:b.speed,easing:b.easing,c))var n,o,p,q,r,s,t,u,v,w,x,y,z,A,B=a(this);d(),e(),f(),g()),a.fn.jCarouselLite.options=btnPrev:null,btnNext:null,btnGo:null,mouseWheel:!1,auto:null,speed:200,easing:null,vertical:!1,circular:!0,visible:3,start:0,scroll:1,beforeStart:null,afterEnd:null(jQuery);
Produkte von Amazon.de
Würth Edelstahl Pflegespray saBesto 400ml
Preis: EUR 9,90
WÜRTH Edelstahl Kraft Reiniger 500ml
Preis: EUR 12,50
Würth Edelstahl Pflegespray saBesto 400ml im Doppelpack zum Sparpreis
Preis: EUR 15,99
Bosch/Siemens 311134 Edelstahlpflegetuch , 5 x 1 Tuch
Preis: EUR 9,89
AEG 9029794675 Edelstahl-Reiniger 250 ml
Preis: EUR 11,00
-13%
Caramba 633002 Edelstahlreiniger, 250 ml
Preis: EUR 5,49
statt: EUR 6,29
‹ ›
jQuery(document).ready(function() var CONSTANTS = productMinWidth : 185, productMargin : 20 ; var $adUnits = jQuery('.aalb-pg-ad-unit'); $adUnits.each(function() columns; if( columns ) var productContainerMinWidth = columns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + columns + 'n + 1)' ).css( 'clear', 'both' ); if( rows && columns ) var cutOffIndex = (rows * columns) - 1; $products.filter( ':gt(' + cutOffIndex + ')' ).remove(); function updateLayout() columns; var productWidth = parseInt( wrapperWidth / actualColumns, 10 ) - CONSTANTS.productMargin; /** * calculating productContainerMinWidth and assigning it as min-width to adUnit ,ProductContainer and * products of ADUnit displayed on updateLayout as to override the values coming from closure.Becuase of * closure the wrapper width was having values generated when the screen was rendered at first time. */ var productContainerMinWidth = actualColumns * (CONSTANTS.productMinWidth + CONSTANTS.productMargin) + 'px'; $adUnit.css( 'min-width', productContainerMinWidth ); $productContainer.css( 'min-width', productContainerMinWidth ); $products.filter( ':nth-child(' + actualColumns + 'n + 1)' ).css( 'clear', 'both' ); /** * When actualColumns is 1 ,the images tend to move towards right of wrapper area.Therefore assigning the * productContainerMinWidth to product when actualColumns is 1 **/ if( actualColumns == 1 ) $products.css( 'width', productContainerMinWidth + 'px' ); var productImage = jQuery('.aalb-pg-product-image'); productImage.css('margin-left','0px'); else $products.css( 'width', productWidth + 'px' ); if (!disableCarousel) if ((productCount * productWidth > wrapperWidth) && actualColumns !== 1) $btnNext.css('visibility', 'visible').removeClass('disabled').unbind('click'); $btnPrev.css('visibility', 'visible').removeClass('disabled').unbind('click'); $productContainer.jCarouselLite( btnNext : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-next', btnPrev : '#' + $adUnit.attr('id') + ' .aalb-pg-btn-prev', visible : actualColumns, circular : false ); else $productContainer.css('width', 'auto'); $productList.css('width', 'auto'); $btnNext.css('visibility', 'hidden').unbind('click'); $btnPrev.css('visibility', 'hidden').unbind('click'); updateLayout(); jQuery(window).resize(updateLayout); ); ); /*! * jCarouselLite - v1.1 - 2014-09-28 * http://www.gmarwaha.com/jquery/jcarousellite/ * Copyright (c) 2014 Ganeshji Marwaha * Licensed MIT (https://github.com/ganeshmax/jcarousellite/blob/master/LICENSE) */ !function(a)a.jCarouselLite=version:"1.1",a.fn.jCarouselLite=function(b)),this.each(function()function c(a)return nfunction d()if(n=!1,o=b.vertical?"top":"left",p=b.vertical?"height":"width",q=B.find(">ul"),r=q.find(">li"),x=r.size(),w=x<b.visible?x:b.visible,b.circular)var c=r.slice(x-w).clone(),d=r.slice(0,w).clone();q.prepend(c).append(d),b.start+=ws=a("li",q),y=s.size(),z=b.startfunction e()B.css("visibility","visible"),s.css(overflow:"hidden","float":b.vertical?"none":"left"),q.css(margin:"0",padding:"0",position:"relative","list-style":"none","z-index":"1"),B.css(overflow:"hidden",position:"relative","z-index":"2",left:"0px"),!b.circular&&b.btnPrev&&0==b.start&&a(b.btnPrev).addClass("disabled")function f()t=b.vertical?s.outerHeight(!0):s.outerWidth(!0),u=t*y,v=t*w,s.css(width:s.width(),height:s.height()),q.css(p,u+"px").css(o,-(z*t)),B.css(p,v+"px")function g()b.btnPrev&&a(b.btnPrev).click(function()return c(z-b.scroll)),b.btnNext&&a(b.btnNext).click(function()return c(z+b.scroll)),b.btnGo&&a.each(b.btnGo,function(d,e)a(e).click(function()return c(b.circular?w+d:d))),b.mouseWheel&&B.mousewheel&&B.mousewheel(function(a,d)return c(d>0?z-b.scroll:z+b.scroll)),b.auto&&h()function h()A=setTimeout(function()c(z+b.scroll),b.auto)function i()return s.slice(z).slice(0,w)function j(a)var c;a<=b.start-w-1?(c=a+x+b.scroll,q.css(o,-(c*t)+"px"),z=c-b.scroll):a>=y-w+1&&(c=a-x-b.scroll,q.css(o,-(c*t)+"px"),z=c+b.scroll)function k(a)0>a?z=0:a>y-w&&(z=y-w)function l()a(b.btnPrev+","+b.btnNext).removeClass("disabled"),a(z-b.scroll<0&&b.btnPrevfunction m(c)n=!0,q.animate("left"==o?left:-(z*t):top:-(z*t),a.extend(duration:b.speed,easing:b.easing,c))var n,o,p,q,r,s,t,u,v,w,x,y,z,A,B=a(this);d(),e(),f(),g()),a.fn.jCarouselLite.options=btnPrev:null,btnNext:null,btnGo:null,mouseWheel:!1,auto:null,speed:200,easing:null,vertical:!1,circular:!0,visible:3,start:0,scroll:1,beforeStart:null,afterEnd:null(jQuery);
0 notes
kalachand97-blog · 8 years ago
Text
New Post has been published on Globeinfrom
New Post has been published on https://globeinform.com/elastifile-offers-stretchy-document-software/
Elastifile offers stretchy document software
A stretchy and scale-out document storage gadget built for flash and protecting the on-premises and public cloud global has been introduced with the aid of Elastifile.
We first heard approximately Israel-primarily based Elastifile in January a yr ago when it pulled in a $35 million B-spherical. On the time its growing technology seemed like garage nirvana; we wrote: “Business enterprise-class, net-scale garage software going for walks on all-flash media and providing file, item and block garage get admission to protocols. Its era is hardware and hypervisor-agnostic – sounding like a close to regularly occurring storage silo.”
Cisco gave it a few extra cash in June 2016.
Elastifile now has something to deliver and is putting its excellent product, oh, sorry “answer” foot ahead, and it’s shot in a bright and polished shoe. The business enterprise claims a TCO that is 50-90 in keeping with cent lower than conventional arrays, hyper-converged infrastructure appliances, and cloud offerings like Amazon Elastic file gadget.
How so?
With masses of assertions at this level of its development, Elastifile says it “unifies all records islands, throughout all geo-locations and clouds, to create a single global namespace.”
Its Elastifile Cloud document machine (ECFS) is a disbursed record system with said global namespace, a claimed linear scaling in performance, consistent and occasional latency, and something called granular test-in/take a look at out object tiering for facts migration and backup. It additionally has an intake-primarily based pricing version and says it gets rid of hardware lock-in.
There may be a lightweight digital controller in every of the taking part servers (on-web page, throughout websites, and public clouds). That mixture the servers’ flash storage resources, present them to programs as a POSIX-compliant worldwide namespace accessible from each node and offer end-to-cease statistics protection.
We’ve informed the architecture is primarily based on a patented, disbursed metadata model and a Biz consensus algorithm for accomplishing a steady nation in a dispensed environment. It has adaptive community and data placement, with a claimed steady 1-2 millisecond latency at any scale in noisy and heterogeneous cloud environments.
The structure involves facts packing containers; abstractions permitting logical chronic groupings of documents inside a namespace. These may be managed, accessed, and moved between websites, monitored, related to regulations, and assigned quotas.
The product has exceptional-of-carrier features and automatic movement of facts between on-premises and public cloud equipment. The CloudConnect functionality compresses and deduplicates data to create a area-green, cloud-based totally item keep. Cloud-based statistics is on the market through the POSIX-compliant Elastifile record system, so legacy packages can run within the cloud.
Elastifile says it helps high overall performance computing (HPC) with the parallelism and high, regular IOPS required to support rapid random reads and writes of many small documents, excessive, steady bandwidth and scalable potential for get entry to to very huge documents.
Containerization help? Tick; Elastifile says its software program enables containerized applications to persist information inside a shared namespace across any wide variety of server or cloud nodes. It has instantaneous, stateful field migration, so offering resilience against node failure and allowing load-balancing.
Analytics? Tick; move-website facts is aggregated and made to be had to analytics workouts.
It sounds find it irresistible has lots of thick field functions for virtualised, containerized and hybrid-cloud environments. So it is probably really worth finding out.
Elastifile is now to be had and the organisation says it has dozens of clients the usage of its software in on-premises structures, public clouds and the hybrid combination. Download a product brochure right here (registration required). Its internet site generation phase is worth sorting out too.
The online Tax Submitting software program With the development in era, the net has come to be an inseparable a part of our lives and companies in any such manner that on-line Filing of tax returns is slowly turning into a norm in our society. With the remaining of the tax season, each taxpayer is responsible for finishing all of the tax formalities and procedures. Although a few humans locate it smooth, others nevertheless discover it complicated.
Thanks to the brand new online software and e-Submitting service, Filing tax returns has in no way been this smooth, accurate and fast. One of the high-quality alternatives available nowadays is the Loose document Application from the Inner Sales service or the IRS. This kind of on-line Filing software program facilitates you with your tax practise and offers e-Filing services. Need to you wish to favor to use other software program for this, you may go browsing to the IRS website for an entire listing of authorized and accepted groups. On a similar observe, it will be greater beneficial and quicker if you already have firsthand information approximately the manner in Filing taxes.
The net Submitting gadget has many benefits, one in all which is that calculations are made smooth due to the software program’s built-in device. Associated work may be made at domestic or within the office just by using completing and solving them on-line. For those who do now not need to cozy the services of consultants like accountants, the tax on-line Filing system will offer a huge assist. Even professionals use the e-Filing returns system because it is well matched with nearly all accounting software and might assist facilitate the import of statistics from any supply.
in case you are going to select which best on-line Filing tax coaching software program you’ll use, there are some matters which you Need to think about. A few of the on-line Filing tax software program inside the market nowadays have their very own customer service departments. These departments provide aid over the telephone in addition to on-line. in case you are to request for online guide, test first if access is without cost. Any other element to don’t forget is that you Have to ensure that The online Filing software you intend to apply gives for particular and unique kinds of Submitting. To demonstrate, taxpayers who are self-employed report their taxes otherwise compared to those who are employed in a company. Therefore, The net software program that These taxpayers should purchase Ought to be especially for their cause. Search for The online Filing tax software program Program that has all of the functions you need with a price that is in the price range which you made.
How Tax Submitting software Allow you to With Submitting Deadlines
There are a number of important Time limits to have for your calendar to make certain that you meet your taxation obligations. Tax Submitting software program can help you with this. A number of the vital Time limits that are routinely programmed into the software consisting of the closing date of 15 January 2013 that’s whilst you want to pay your fourth area anticipated tax payment for the year 2012. The software will also can help you know that you may wait to pay this amount and keep away from getting a penalty if you installed your return and pay the best quantity by using January 31, 2013.
different important Closing dates for Submitting which tax Filing software Let you with include January 30, 2013. In this date, the IRS begins accepting tax returns for processing but the IRS will no longer at once method all returns and a few will need to put off until some months after this closing date. At the day after There is the January 31 closing date for employers to ship Form W-2 and businesses to send Form 1099 statistics to the IRS. On this date, self-employed people also need to report their returns and make payment of extremely good quantities to in order now not to incur a tax penalty.
Later within the 12 months, on February 15 2013 There may be the date while individuals who claim they’re exempt from withholding want to give a Shape W4 to the man or woman or employer that they paintings for. also In this date, banks, funding and insurance organizations ought to ship records approximately sales of stock, bonds or mutual funds and property dealings for recording. Shortly after on March 1 2013 farmers and fishermen need to take note of their taxation obligations. There are very exclusive responsibilities for farmers and fishermen which tax Submitting software program can assist with.
Restricted Legal responsibility Agencies (LLCs) and different varieties of Companies which need to record Bureaucracy 1120, 1120A and 1120S will typically want to do that by using March 15, 2013. However, it’s also possible to get an extension via Submitting a Shape 7004. With These greater complicated varieties of returns it’s far mainly beneficial to have tax Filing software because the compliance obligations on the subject of corporate tax returns are so complicated that it is vital to have a pre-established system for handling the issues that arise in terms of the Submitting of a corporate tax return. One of the principal Closing dates for the yr is April 15 which is the time whilst person tax returns must be filed until There’s an application for an extension which permits a further six months to document the returns.
0 notes
Text
BUSN 278 Budgeting and Forecasting Entire Course
https://homeworklance.com/downloads/busn-278-budgeting-and-forecasting-entire-course/
 BUSN 278 Budgeting and Forecasting Entire Course
 BUSN278 Week 1 Section 1.0 Executive Summary (Draft)
BUSN 278 Week 2 Section 2.0 Sales Forecast (Draft)
BUSN278 Week 3 Section 3.0 Capital Expenditure Budget (Draft)
BUSN278 Week 4 Section 4.0 Investment Analysis (Draft)
BUSN278 Week 5 Section 5.1 Pro Forma Income Statement  (Draft)
BUSN278 Week 6 Section 5.2 Pro Forma Cash Flow Statements (Draft)
BUSN278 Week 7 Final Budget Proposal
BUSN278 Week 7 Final Presentation
 BUSN278 Course Project (Papa Geo’s Restaurant)
 Project Overview: This is an individual project where you will be acting as a consultant to an entrepreneur who wants to start a new business. As the consultant, you’ll create a 5 year budget that supports the entrepreneur’s vision and strategy, as well as the needs for equipment, labor, and other startup costs. You can choose from one of three types of new business startups — a landscaping company, a restaurant, or an electronics store that sells portable computing devices. Each business has its own Business Profile detailed in the sections below. The purpose of the Business Profile is to guide you in understanding the scope of the business, the entrepreneur’s startup costs, and financial assumptions. The project requires you to create a written budget proposal, a supporting Excel Workbook showing your calculations, and a PowerPoint presentation summarizing the key elements of the budget proposal, which you assume will be presented to a management team. This is an individual project. Each week you will complete a section of the project in draft form. In Week 7, you will submit the final version of the project’s Budget Proposal, Budget Workbook, and Budget Presentation in PowerPoint. Deliverables Schedule / Points Week Deliverable Points 1 Section 1.0 Executive Summary (Draft) 10 2 Section 2.0 Sales Forecast (Draft) 10 3 Section 3.0 Capital Expenditure Budget (Draft) 10 4 Section 4.0 Investment Analysis (Draft) 10 5 Section 5.1 Pro Forma Income Statement (Draft) 10 6 Section 5.2 Pro Forma Cash Flow Statements (Draft) 10 7 Final Budget Proposal 90 7 Final Presentation w/ PowerPoint 30 Total project points 180 Business Profile:Papa Geo’s – Restaurant Vision The vision of the entrepreneur is to create a single-location, sit-down Italian restaurant called Papa Geo’s. The goal is to generate an income of $40,000 per year, starting sometime in the second year of operation, as wells as profit that is at least 2% of sales. Strategy a) Market Focus/Analysis The restaurant targets middle to lower-middle class families with children, as well as adults and seniors, located in Orlando, Florida. The area within 15 minutes of the store has 10,000 families, mostly from lower to middle class neighborhoods. Average family size is 4 people per household. There is no direct competition; however, there are fast food restaurants like McDonald’s, Taco Bell and Wendy’s in the geographical target market. The lower to middle class population is growing at about 6% per year over the next five years in this area. b) Product The product is Italian food served buffet style, in an all-you-can-eat format, with a salad bar, pizza, several different types of pasta with three or four types of sauces, soup, desserts, and a self-serve soda bar. The restaurant is also to have a 500 square foot gaming area which has game machines that children would be interested in using. c) Basis of Competition Customers come to this restaurant because of the good Italian food at a low price – you can get a meal for $7, including drinks. Customers also eat at Papa Geo’s due to the cleanliness of the facility, the speed of getting their seat and food, and the vending machines which keep the children busy while adults enjoy their meal. Startup Requirements* Given Costs • The cost of registering a limited liability company in Florida – filing fees listed at the bottom of the application for located at: http://form.sunbiz.org/pdf/cr2e047.pdf • Renovation of the facility expected to cost $15,000 • Business insurance, estimated at $1,000 per year • Health and other benefits are 20% of the salaries of the manager and assistant manager Costs you should estimate through research, experience or other methods Soda fountain bar 2 pizza ovens Salad and pizza/dessert bar Approximately 100 square foot commercial refrigerator 2 cash registers 6 video game vending machines Management office with desk and lower-priced laptop computer Staff lunchroom equipment such as microwave, sink, cupboards and refrigerator 20 four-seater tables with chairs Busing cart for transporting dirty dishes from the dining area to the dishwashing area 140 sets of dishes, including cutlery and drinking cups Commercial dishwasher Miscellaneous cooking and food handling equipment like trays, lifters, spoons, pots etcetera The cost of an average of 7 employees on the payroll. All operating costs, such as advertising, rent for a 3,500 square foot facility with male and female washrooms (already installed), utilities, maintenance, and annual depreciation *If you have questions about startup requirements, or think other startup costs necessary for the business are missing, then make an assumption and state it in the relevant section of the report. Given Financial Assumptions* The owner will be granted a loan for the initial startup, repayable over 10 years at current interest rates for small business loans. The owner will use personal funds to operate the business until it generates enough cash flow to fund itself. Essentially, all sales are made by credit card. All credit card sales are paid to the restaurant daily by the credit card company. 2.5% of sales is paid to the credit card company in fees. Food suppliers give 30 days of trade credit. Inventories are expected to be approximately 10% of the following month’s sales. The average meal costs $4.00 in materials and labor. The average family spends $4.00 on vending machine tokens. Equipment is depreciated on a straight-line basis over 5 years. Managers have health benefits, other workers do not. The company will operate from 10:00 am to 9:00 pm, 7 days a week. The entrepreneur will manage the store and draw a salary. Every shift has one person on the cash register, one keeping the food bars stocked with food, two cooking the food, one on busing and table cleaning, a manager, and assistant manager. *If you believe any other assumptions are necessary, please state them in your budget proposal.
All Discussion Questions
w1 dq1 Budgeting and Planning w1 dq2 Forecasting Techniques w2 dq1 Linear Regression w2 dq2 Seasonal Variations w3 dq1 Revenue Budget w3 dq2 Capital Expenditures Budget w4 dq1 Capital Budgeting w4 dq2 New Business Startups w5 dq1 Master Budget w5 dq2 Cash Budgeting w6 dq1 Cost Behavior w6 dq2 Variance Analysis w7 dq1 Administering the Budget w7 dq2 Presenting and Defending a Budget
 BUSN 278 Week 4 Midterm
(TCO 1) The type of budget that is updated on a regular basis is known as a ________________ (TCO 2) The quantitative forecasting method that uses actual sales from recent time periods to predict future sales assuming that the closest time period is a more accurate predictor of future sales is: (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________ (TCO 4) Capital expenditures are incurred for all of the following reasons except: (TCO 5) Which of the following is not true when ranking proposals using zero-base budgeting? (TCO 6) Which of the following ignores the time value of money? (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting. Discuss this form of budgeting and identify its advantages and disadvantages. (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models. (TCO 2) The Federal Election Commission maintains data showing the voting age population, the number of registered voters, and the turnout for federal elections. The following table shows the national voter turnout as a percentage of the voting age population from 1972 to 1996 (The Wall Street Journal Almanac; 1998):
(TCO 3) Use the table “Food and Beverage Sales for Paul’s Pizzeria” to answer the questions below. (TCO 6) Jackson Company is considering two capital investment proposals. Estimates regarding each project are provided below: (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.
Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return
 BUSN 278 Final Exam Answers
 (TCO 1) Which of the following statements regarding research and development is incorrect?
 (TCO 2) Priority budgeting that ranks activities is known as:
 (TCO 3) The regression statistic that measures how many standard errors the coefficient is from zero is the ________________
 (TCO 4) It is important that budgets be accepted by:
 (TCO 5) The qualitative forecasting method that individually questions a panel of experts is ________________
 (TCO 6) Which of the following is a disadvantage of the payback technique?
 (TCO 1) There are several approaches that may be used to develop the budget. Managers typically prefer an approach known as participative budgeting.  Discuss this form of budgeting and identify its advantages and disadvantages.
 (TCO 2) There are a variety of forecasting techniques that a company may use. Identify and discuss the three main quantitative approaches used for time series forecasting models.
 (TCO 2) Use the table “Manufacturing Capacity Utilization” to answer the questions below.
Manufacturing  Capacity Utilization
In  Percentages
Day
Utilization
Day
Utilization
1
82.5
9
78.8
2
81.3
10
78.7
3
81.3
11
78.4
4
79.0
12
80.0
5
76.6
13
80.7
6
78.0
14
80.7
7
78.4
15
80.8
8
78.0
Part (a) What is the project manufacturing capacity utilization for Day 16 using a three day moving average? Part (b) What is the project manufacturing capacity utilization for Day 16 using a six day moving average? Part (c) Use the mean absolute deviation (MAD) and mean square error
 (TCO 3) Use the table “Food and Beverage Sales for Luigi’s Italian Restaurant” to answer the questions below.
Food and Beverage Sales for  Luigi’s Italian Restaurant
($000s)
Month
First  Year
Second  Year
January
218
237
February
212
215
March
209
223
April
251
174
May
256
174
June
216
135
July
131
142
August
137
145
September
99
110
October
117
117
November
137
151
December
213
208
Part (a) Calculate the regression line and forecast sales for February of Year 3. Part (b) Calculate the seasonal forecast of sales for February of Year 3. Part (c) Which forecast do you think is most accurate and why?
 (TCO 6) Davis Company is considering two capital investment proposals. Estimates regarding each project are provided below:
Project  A
Project  B
Initial Investment
$800,000
$650,000
Annual Net Income
$50,000
45,000
Annual Cash Inflow
$220,000
$200,000
Salvage Value
$0
$0
Estimated Useful Life
5  years
4  years
The company requires a 10% rate of return on all new investments.
Part (a) Calculate the payback period for each project. Part (b) Calculate the net present value for each project. Part (c) Which project should Jackson Company accept and why?
  (TCO 6) Top Growth Farms, a farming cooperative, is considering purchasing a tractor for $468,000. The machine has a 10-year life and an estimated salvage value of $32,000. Top Growth uses straight-line depreciation. Top Growth estimates that the annual cash flow will be $78,000. The required rate of return is 9%.   Part (a) Calculate the payback period. Part (b) Calculate the net present value. Part (c) Calculate the accounting rate of return.
0 notes
mwatech · 8 years ago
Text
Payroll Utah, Unique Aspects of Utah Payroll Law and Practice
The Utah State Agency that oversees the collection and reporting of State income taxes deducted from payroll checks is:
State Tax Commission Withholding Tax Development 210 North 1950 West Salt Lake City, UT 84134 (801) 297-2200 (800) 662-4335 (in state) http://tax.utah.gov/
Utah allows you to use the federal form W4 to calculate state income tax withholding.
Not all states allow salary reductions made under Section 125 cafeteria plans or 401(k) to be treated in the same manner as the IRS code allows. In Utah cafeteria plans are not taxable for income tax calculation; not taxable for unemployment insurance purposes. 401(k) plan deferrals are not taxable for income taxes; taxable for unemployment purposes.
In Utah supplemental wages are required to be aggregated for the state income tax withholding calculation.
You must file your Utah State W-2s by magnetic media if you are required to file your federal W-2s by magnetic media.
The Utah State Unemployment Insurance Agency is:
Department of Workforce Services 140 E. 300 South P.O. Box 45288 Salt Lake City, UT 84145 (801) 536-7400 [http://ift.tt/2jctetI]
The State of Utah taxable wage base for unemployment purposes is wages up to $22,700.00.
Utah requires Magnetic media reporting of quarterly wage reporting if the employer has at least 250 employees that they are reporting that quarter.
Unemployment records must be retained in Utah for a minimum period of three years. This information generally includes: name; social security number; dates of hire, rehire and termination; wages by period; payroll pay periods and pay dates; date and circumstances of termination.
The Utah State Agency charged with enforcing the state wage and hour laws is:
Labor Commission Anti-Discrimination and Labor Division P.O. Box 146630 Salt Lake City, UT 84114-6630 (801) 530-6801 [http://ift.tt/2iQVdlX]
The minimum wage in Utah is $5.15 per hour.
There is no general provision in Utah State Law covering paying overtime in a non-FLSA covered employer.
Utah State new hire reporting requirements are that every employer must report every new hire and rehire. The employer must report the federally required elements of:
Employee’s name
Employee’s address
Employee’s social security number
Employer’s name
Employers address
Employer’s Federal Employer Identification Number (EIN)
This information must be reported within 20 days of the hiring or rehiring. The information can be sent as a W4 or equivalent by mail, fax or mag media. There is a $25.00 penalty for a late report and $500 for conspiracy in Utah.
The Utah new hire-reporting agency can be reached at 801-526-4361 or on the web at http://ift.tt/2jcx5Xl
Utah does not allow compulsory direct deposit except for large employers with 2/3 of employees already on direct deposit.
Utah requires the following information on an employee’s pay stub:
itemized deductions
Utah requires that employee be paid no less often than semimonthly; monthly if employee hired for yearly salary.
Utah requires that the lag time between the end of the pay period and the payment of wages to the employee not exceed ten days; wages paid monthly—7th of next month.
Utah payroll law requires that involuntarily terminated employees must be paid their final pay with in 24 hours and that voluntarily terminated employees must be paid their final pay by the next regular payday.
Deceased employee’s wages must be paid when normally due to successor after affidavit stating estate does not exceed $25,000 at least 30 days since death, no petition for executor is pending, and entitlement to payment.
Escheat laws in Utah require that unclaimed wages be paid over to the state after one year.
The employer is further required in Utah to keep a record of the wages abandoned and turned over to the state for a period of 5 years.
Utah payroll law mandates no more than $3.02 may be used as a tip credit.
In Utah the payroll laws covering mandatory rest or meal breaks are only that all employees must have a 30-minute meal period after 5 hours; 10 minutes rest each 4 hours.
Utah statute requires that wage and hour records be kept for a period of not less than three years. These records will normally consist of at least the information required under FLSA.
The Utah agency charged with enforcing Child Support Orders and laws is:
Office of Recovery Services Department of Human Services 515 E. 100 S. P.O. Box 45011 Salt Lake City, UT 84145-0011 (801) 536-8500 http://ift.tt/2iR0mux
Utah has the following provisions for child support deductions:
When to start Withholding? First pay period after 5 working days from service.
When to send Payment? Within 7 days of Payday.
When to send Termination Notice? Within 5 days of termination.
Maximum Administrative Fee? one-time $25 fee
Withholding Limits? Federal Rules under CCPA.
Please note that this article is not updated for changes that can and will happen from time to time.
from CPA Marketing http://ift.tt/2jct1GA
0 notes
paystubusa · 2 months ago
Text
Online Payslip Maker: 5 Must Have Features
When you run out of a payslip generator source, you can blindly go behind the online payslip maker. Well, the following are some of the must have features that need to be included in online payslip maker.
Tumblr media
0 notes
paystubusa · 2 months ago
Text
How an Online W9 Generator Simplifies Tax Form Filing
The digital transformation of tax approaches has made compliance easier than ever. Using an Online W9 Generator now not only simplifies tax form filing but additionally enhances performance, accuracy, and security.
Tumblr media
0 notes