Model_Interpretability
.pdf
keyboard_arrow_up
School
New Jersey Institute Of Technology *
*We aren’t endorsed by this school
Course
622
Subject
Business
Date
Apr 3, 2024
Type
Pages
20
Uploaded by MinisterWaterHare33
17/03/2024, 21:14
Model_Interpretability.ipynb - Colaboratory
https://colab.research.google.com/drive/1Q7Os1OJQha-d63CzcJw7ScUpbnM5bnnC?usp=sharing#scrollTo=g3sTFJp3G9-o
1/20
Copyright (c) 2024 Lakshmi Anchitha Panchaparvala
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation ±les (the
"Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute,
sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following
conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS
OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
MIT License
link: https://github.com/anchitha1309/Dataset
This study utilizes a comprehensive real estate dataset to explore and predict housing prices. The dataset, comprising 81 features for each
property, offers a detailed insight into various aspects of residential properties. Key attributes include building class, zoning classi±cation, lot
size, road access type, and property shape. It also encompasses a wide range of both numerical and categorical variables, from basic utilities
to speci±c details like alley access and pool quality, though some features exhibit missing values. The primary focus of the analysis is the
'SalePrice' variable, representing the sale price of each house, which is a critical indicator of market trends and property value. The dataset's
richness in features provides a robust foundation for applying regression techniques to predict housing prices, offering valuable insights for
potential homeowners, real estate agents, and market analysts. The objective is to understand how various factors in²uence property values
and to develop accurate predictive models that can aid in decision-making processes in the real estate market.
Dataset The dataset contains a mix of numerical and categorical variables. There are also some missing values, indicated by 'NaN', particularly
in columns like "Alley" and "PoolQC".
In total, there are 81 columns, indicating a wide range of features that describe each property, such as the type of dwelling, the quality and
condition of various features, the year certain components were built or remodeled, and other characteristics related to the property and its
surroundings.
This dataset is typically used for regression tasks, particularly for predicting the sale price of houses based on their characteristics
Dataset
1. Fit a linear model and interpret the regression coe³cients
2. Fit a tree-based model and interpret the nodes
3. Use auto ml to ±nd the best model
4. Run SHAP analysis on the models from steps 1, 2, and 3, interpret the SHAP values and compare them with the other model
interpretability methods.
Interpret your models.
Importing Necessary Libraries
!pip install shap
Requirement already satisfied: shap in /usr/local/lib/python3.10/dist-packages (0.45.0)
Requirement already satisfied: numpy in /usr/local/lib/python3.10/dist-packages (from shap) (1.25.2)
Requirement already satisfied: scipy in /usr/local/lib/python3.10/dist-packages (from shap) (1.11.4)
Requirement already satisfied: scikit-learn in /usr/local/lib/python3.10/dist-packages (from shap) (1.2.2)
Requirement already satisfied: pandas in /usr/local/lib/python3.10/dist-packages (from shap) (1.5.3)
Requirement already satisfied: tqdm>=4.27.0 in /usr/local/lib/python3.10/dist-packages (from shap) (4.66.2)
Requirement already satisfied: packaging>20.9 in /usr/local/lib/python3.10/dist-packages (from shap) (24.0)
Requirement already satisfied: slicer==0.0.7 in /usr/local/lib/python3.10/dist-packages (from shap) (0.0.7)
Requirement already satisfied: numba in /usr/local/lib/python3.10/dist-packages (from shap) (0.58.1)
Requirement already satisfied: cloudpickle in /usr/local/lib/python3.10/dist-packages (from shap) (2.2.1)
Requirement already satisfied: llvmlite<0.42,>=0.41.0dev0 in /usr/local/lib/python3.10/dist-packages (from numba->shap) Requirement already satisfied: python-dateutil>=2.8.1 in /usr/local/lib/python3.10/dist-packages (from pandas->shap) (2.
Requirement already satisfied: pytz>=2020.1 in /usr/local/lib/python3.10/dist-packages (from pandas->shap) (2023.4)
Requirement already satisfied: joblib>=1.1.1 in /usr/local/lib/python3.10/dist-packages (from scikit-learn->shap) (1.3.2
17/03/2024, 21:14
Model_Interpretability.ipynb - Colaboratory
https://colab.research.google.com/drive/1Q7Os1OJQha-d63CzcJw7ScUpbnM5bnnC?usp=sharing#scrollTo=g3sTFJp3G9-o
2/20
Requirement already satisfied: threadpoolctl>=2.0.0 in /usr/local/lib/python3.10/dist-packages (from scikit-learn->shap)
Requirement already satisfied: six>=1.5 in /usr/local/lib/python3.10/dist-packages (from python-dateutil>=2.8.1->pandas-
import pandas as pd
import shap
import seaborn as sns
from sklearn.model_selection import train_test_split
from sklearn.pipeline import Pipeline
from sklearn.preprocessing import OrdinalEncoder, StandardScaler, OneHotEncoder
from sklearn_pandas import DataFrameMapper
from sklearn.impute import SimpleImputer
from sklearn.linear_model import LinearRegression
from sklearn.metrics import mean_absolute_error
import statsmodels.api as sm
import numpy as np
import matplotlib.pyplot as plt
Reading Data
df = pd.read_csv("https://raw.githubusercontent.com/anchitha1309/Dataset/main/train.csv")
Missing Values
Data Preprocessing
Id
MSSubClass
MSZoning
LotFrontage
LotArea
Street
Alley
LotShape
LandContour
Utilities
...
PoolArea
PoolQC
F
0
1
60
RL
65.0
8450
Pave
NaN
Reg
Lvl
AllPub
...
0
NaN
1
2
20
RL
80.0
9600
Pave
NaN
Reg
Lvl
AllPub
...
0
NaN
2
3
60
RL
68.0
11250
Pave
NaN
IR1
Lvl
AllPub
...
0
NaN
3
4
70
RL
60.0
9550
Pave
NaN
IR1
Lvl
AllPub
...
0
NaN
4
5
60
RL
84.0
14260
Pave
NaN
IR1
Lvl
AllPub
...
0
NaN
5 rows × 81 columns
#viewing first few colums
df.head()
#percentage of missing values in each feature
df.isnull().sum().sort_values(ascending=False)*100/len(df)
PoolQC 99.520548
MiscFeature 96.301370
Alley 93.767123
Fence 80.753425
FireplaceQu 47.260274
... ExterQual 0.000000
Exterior2nd 0.000000
Exterior1st 0.000000
RoofMatl 0.000000
SalePrice 0.000000
Length: 81, dtype: float64
# Let's drop the columns with more than 60% missing values
df = df.drop(['PoolQC', 'MiscFeature', 'Alley', 'Fence', 'MasVnrType'], axis=1)
# Let's check the missing values
missing_data_cols = df.isnull().sum()[df.isnull().sum() > 0].index.tolist()
# display all missing values columns
df[missing_data_cols].head()
17/03/2024, 21:14
Model_Interpretability.ipynb - Colaboratory
https://colab.research.google.com/drive/1Q7Os1OJQha-d63CzcJw7ScUpbnM5bnnC?usp=sharing#scrollTo=g3sTFJp3G9-o
3/20
LotFrontage
MasVnrArea
BsmtQual
BsmtCond
BsmtExposure
BsmtFinType1
BsmtFinType2
Electrical
FireplaceQu
GarageTy
0
65.0
196.0
Gd
TA
No
GLQ
Unf
SBrkr
NaN
Attc
1
80.0
0.0
Gd
TA
Gd
ALQ
Unf
SBrkr
TA
Attc
2
68.0
162.0
Gd
TA
Mn
GLQ
Unf
SBrkr
TA
Attc
3
60.0
0.0
TA
Gd
No
ALQ
Unf
SBrkr
Gd
Detc
4
84.0
350.0
Gd
TA
Av
GLQ
Unf
SBrkr
TA
Attc
categorical_cols = df.select_dtypes(include='object').columns.tolist()
numeric_cols = df.select_dtypes(include=['int64','float64']).columns.tolist()
Correlation Analysis
# Correlation analysis
correlation_matrix = df.corr()
# Plotting the heatmap of the correlation matrix
plt.figure(figsize=(15, 12))
sns.heatmap(correlation_matrix, annot=False, cmap='coolwarm')
plt.title('Correlation Matrix of Variables')
plt.show()
# Displaying correlation values with SalePrice in descending order
correlation_with_saleprice = correlation_matrix['SalePrice'].sort_values(ascending=False)
correlation_with_saleprice
17/03/2024, 21:14
Model_Interpretability.ipynb - Colaboratory
https://colab.research.google.com/drive/1Q7Os1OJQha-d63CzcJw7ScUpbnM5bnnC?usp=sharing#scrollTo=g3sTFJp3G9-o
4/20
SalePrice 1.000000
OverallQual 0.790982
GrLivArea 0.708624
GarageCars 0.640409
GarageArea 0.623431
T t lB
tSF
0 613581
17/03/2024, 21:14
Model_Interpretability.ipynb - Colaboratory
https://colab.research.google.com/drive/1Q7Os1OJQha-d63CzcJw7ScUpbnM5bnnC?usp=sharing#scrollTo=g3sTFJp3G9-o
5/20
# let's encode the categorical columns with label encoder using for loop
from sklearn.preprocessing import LabelEncoder
le = LabelEncoder()
for col in df.columns:
if df[col].dtypes == 'object':
df[col] = le.fit_transform(df[col].astype(str))
# check again the missing values
df.isnull().sum().sort_values(ascending=False)*100/len(df)
LotFrontage 17.739726
GarageYrBlt 5.547945
MasVnrArea 0.547945
Id 0.000000
BedroomAbvGr 0.000000
... ExterCond 0.000000
ExterQual 0.000000
Exterior2nd 0.000000
Exterior1st 0.000000
SalePrice 0.000000
Length: 76, dtype: float64
# remove duplicated index from the dataset
df = df.reset_index(drop=True)
# print categroical columns with missing values
categorical_cols = df[missing_data_cols].select_dtypes(include='object').columns.tolist()
categorical_cols
[]
df.dtypes.value_counts()
int64 73
float64 3
dtype: int64
Imputing Missing Values
# lets impute the missing values using ML imputer
# defining the function to impute the missing values
from sklearn.preprocessing import LabelEncoder
from sklearn.experimental import enable_iterative_imputer
from sklearn.impute import IterativeImputer
from sklearn.ensemble import RandomForestRegressor
from sklearn.metrics import r2_score, mean_absolute_error, mean_squared_error
17/03/2024, 21:14
Model_Interpretability.ipynb - Colaboratory
https://colab.research.google.com/drive/1Q7Os1OJQha-d63CzcJw7ScUpbnM5bnnC?usp=sharing#scrollTo=g3sTFJp3G9-o
6/20
def impute_categorical_missing_data(passed_col):
df_null = df[df[passed_col].isnull()]
df_not_null = df[df[passed_col].notnull()]
X = df_not_null.drop(passed_col, axis=1)
y = df_not_null[passed_col]
other_missing_cols = [col for col in missing_data_cols if col != passed_col]
label_encoder = LabelEncoder()
for col in X.columns:
if X[col].dtype == 'object' or X[col].dtype == 'category':
X[col] = label_encoder.fit_transform(X[col])
if passed_col in bool_cols:
y = label_encoder.fit_transform(y)
iterative_imputer = IterativeImputer(estimator=RandomForestRegressor(random_state=42), add_indicator=True)
for col in other_missing_cols:
if X[col].isnull().sum() > 0:
col_with_missing_values = X[col].values.reshape(-1, 1)
imputed_values = iterative_imputer.fit_transform(col_with_missing_values)
X[col] = imputed_values[:, 0]
else:
pass
X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=42)
rf_classifier = RandomForestRegressor()
rf_classifier.fit(X_train, y_train)
y_pred = rf_classifier.predict(X_test)
acc_score = r2_score(y_test, y_pred)
print("The feature '"+ passed_col+ "' has been imputed with", round((acc_score * 100), 2), "accuracy\n")
X = df_null.drop(passed_col, axis=1)
for col in X.columns:
if X[col].dtype == 'object' or X[col].dtype == 'category':
X[col] = label_encoder.fit_transform(X[col])
for col in other_missing_cols:
if X[col].isnull().sum() > 0:
col_with_missing_values = X[col].values.reshape(-1, 1)
imputed_values = iterative_imputer.fit_transform(col_with_missing_values)
X[col] = imputed_values[:, 0]
else:
pass
if len(df_null) > 0:
df_null[passed_col] = rf_classifier.predict(X)
if passed_col in bool_cols:
df_null[passed_col] = df_null[passed_col].map({0: False, 1: True})
else:
pass
else:
pass
df_combined = pd.concat([df_not_null, df_null])
return df_combined[passed_col]
def impute_continuous_missing_data(passed_col):
df_null = df[df[passed_col].isnull()]
df_not_null = df[df[passed_col].notnull()]
X = df_not_null.drop(passed_col, axis=1)
y = df_not_null[passed_col]
other_missing_cols = [col for col in missing_data_cols if col != passed_col]
label_encoder = LabelEncoder()
for col in X.columns:
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
Related Questions
く
Home Page - JagApp
LO
ווח
learn-us-east-1-prod-fleet01-xythos.content.blackboardcdn.com
Scicction and Da
unu
A Content
☑Bb❘ https://learn-us-east-1-prod-fleet01-xythos.content.blackboardcdn.com/blackboard.learn.xythos.prod/5a31af5d...
1. Pick a Business Topic: Choose a business topic of your interest. It can be one we've covered in class or a new
idea.1
2. Reflect on Your Choice:
O
How does this topic connect to Al?
о
How does Al change the way we "do" things?
What is important for me to keep in mind for my (future) career?
○
How will Al (potentially) influence what lies ahead?
3. Provide Background Information: Include definitions, concepts, discussion frameworks, pros & cons, and
insights into the current discourse regarding the topic.
4. Connect to Al: Develop a guide and provide insights into how Al interacts with your chosen topic using various
sources.
II. Research Process
23
1. Start Early: Begin your research early to allow ample time for organization and thorough…
arrow_forward
S MyPath - Home
C n
Amazon.com - Onli...
88°F
Sunny
X
Mc
Graw
Hill
Content
Question 6 - Marketing Resea X
Appeal No.
https://ezto.mheducation.com/ext/map/index.html?_con=con&external_browser=0&launchUrl=https%253A%252F%252Flms.mheducation.com%252Fmghmiddl... A
Booking.com McAfee Security
McAfee Security & Amazon.com - Onli... Content G Image result for cur...
Marketing Research Assessment i
Multiple Choice
O
data collection
problem definition
data analysis
taking action
X
plan development
6
To understand which items were most likely to sell from mall kiosks, a company distributed surveys and even held a few focus groups of kiosk shoppers at different malls.
The company's actions demonstrate which step of the marketing research process?
Module Preview
O
X
Next
Help
G
x | +
Save & Exit
Sub
arrow_forward
pls help ASAP
arrow_forward
Critically analyse the below proposal from the Financial Conduct Authority and critically evaluate the legal principles and
regulations involved in preventing similar actions of greenwashing. <
"FCA proposes new rules to tackle greenwashing
Press Releases First published: 25/10/2022 <
In a bid to clamp down on greenwashing, the Financial Conduct Authority (FCA) is proposing a package of new
measures including investment product sustainability labels and restrictions on how terms like 'ESG', 'green' or
'sustainable' can be used. <
The measures are among several potential new rules which will protect consumers and improve trust in
sustainable investment products. The work forms part of the commitment made in the FCA's ESG Strategy and
Business Plan to build trust and integrity in ESG-labelled instruments, products and the supporting ecosystem. <
There has been growth in the number of investment products marketed as 'green' or making wider sustainability
claims. Exaggerated, misleading or…
arrow_forward
V
C CSePub - Electronic Publishing For Professors - Create eBooks
1
Q
p
@2
W
Download
S
Your Profile | 16 Personalities
D2L Trademark Infringement: Models by Mus
the advertisements are only seen by older professors and astronomers with interests and expertise in this field
who can confirm these models' accuracy and realism.
The term "Musk" is often used to describe scents of male cologne and deodorants. In 2017, Prometheus began to
sell high-end cologne to be used by models in photo shoots and exclusive fashion weeks worldwide. A trademark
search performed by Prometheus did not turn up the mark Models by Musk. Prometheus then began selling their
newest cologne, Musk for Models, in a black box with the mark on the box in pixelated white lettering. Underneath
the mark on the box, Prometheus' slogan for its newest scent was also printed in a white pixelated font and read
"Out of this World." On the bottom of the box, Prometheus provided information explaining the purpose of the
scent for…
arrow_forward
App
E FA/IBM536/FEB2022
O Final Assessment_Test Declaratic x
• Download file ilovePDF
i docs.google.com/forms/d/e/1FAlpQLSCUk7m_XQAbSDhnv-OqsBCBvKgmkwb0Q1|13VxAwkihZP6TOA/formResponse
O None of the above
In terms of communication styles, which of the following countries has a high-
context society? *
Germany
Scandinavia
Canada
Japan
None of the above
arrow_forward
Q4) Inspect in detail the impact of digital media bloggers. Influencers on the consumption behavior of young consumers.
details explantion needed
arrow_forward
m.com-Onli... Booking.com McAfee Security a Amazon.com - Onli...
ny
Marketing Research Assessment i
9
Mc
Graw
Hill
Multiple Choice
The marketing research industry relies on ethical standards to help gain the trust of consumers. Establishing trust
increases individuals' willingness to participate in research.
ensures accurate research results.
Content G Image result for cur...
informs companies when to cease research.
decreases the cost of research.
increases the cost of research.
13
Q
Saved
6252Fmghmiddl...
arrow_forward
Q1.In a social marketing context cultural forces always create opportunities and rarely create threats.
T/F
__________________________________
Q2. While conducting your research and SWOT analysis for your social marketing campaign, you discovered that there are at least 3 other ongoing campaigns addressing the same issue as yours. In this case the best action would be for you to :
a. Continue with your campaign as planned because these are supportive efforts.
b. Stop your campaign completely
c. Continue with your campaign focus on doing better than the ongoing campaigns and consider them competitors .
d. Attempt to change the focus of your campaign to target another one which was ignored by the current ongoing
campaigns
______________________________________
Q3.once per year. Therefore, Officials at the Ministry of health have started a campaign which focuses on influencing registered blood donors to donate blood 3 times per year. This indicates that the aim of this campaign is…
arrow_forward
Pls help ASAP
arrow_forward
Identify three K–6-grade level children’s books (including title and author) with one common central focus (e.g., the solar system). Please see the attached list.
arrow_forward
dvertising campaigns follow the _____.
Question 26 options:
a)
BCG matrix
b)
SWOT matrix
c)
IMC model
d)
AIDA model
arrow_forward
11
arrow_forward
Topic 1 â Targeting Vulnerable Consumers Some marketers target vulnerable groups by their ads. Vulnerable groups are consumers who are unable to make prudent purchasing decisions due to personal or situational influences. This may include children, elderly, homeless and disabled people.a) In your opinion, should Marketers target these groups?b) Should the type of product marketed be an issue?c) Share with us one commercial that you think violates ethics and justify to what extent the commercial is unethical.
arrow_forward
Please, don't use your handwriting..
Video Link: Watch the following video link-McDonald's: Segmentation, Targeting, and Positioning-https://www.viddler.com/embed/3568f26a
7.3 Test your Knowledge (Question):Discussion Question #1: What is the primary segmentation method used by McDonald’s to form the segments discussed in the video? Why do you think McDonald’s uses this method?
arrow_forward
Environmental sustainability concerns have grown steadily over the past three decades. Marketers should be aware of three primary trends in the natural environment, which include ________.
Question content area bottom
Part 1
A.
growing depletion of natural resources, climate change, and accompanying shortages of raw materials
B.
growing shortages of raw materials, increased pollution, and increased government intervention in natural resource management
C.
increased government intervention, increased pollution, and the expense associated with sustainability
D.
climate change, increased government intervention in environmental regulation, and the accompanying regulations
E.
increased global pollution especially in Asia, climate change, and the refusal of foreign governments to address it
arrow_forward
Q1. What does Amul mean for farmers, consumers and society? (Word limit up to 100 words)
arrow_forward
1
arrow_forward
4
A app.kognity.com
iness Management H
Notebook
Practice
Assignments
Overview
Book
24
25
Question 6
E-commerce has impacted the marketing mix in several ways. Which of the following
statements is not true?
#1
O The use of viral marketing has increased
#2
O Price has become less transparent
# 3
O The need to invest in product packaging, brochures, and catalogues has reduced
The importance of physical evidence has reduced
#4
arrow_forward
SELLIGITU
YouTube group 00 massage instgram 0 comment fac
Mercer mettl
tests.mettl.com/test-window-api?ecc=Y%2FQ3K9mmlYDmfFQx9Z6bZ30lx2B9J1%2BKdYwsjXxKr9M%3D#/testWindow/2/0/1
0 comment inst
ction 3 of 3 Section C
Question #1
Which of the following is an aspect of relationship marketing?
ERED BY
mett
O Tyne here to search.
PERTS
Posts
B
P
OEDL 202 Marketing Management_16 Feb 2023_TSL Ⓒ
1 2
Ps
3
O
Raghad Almohareb...
Ai
4
5
6
Revisit
AHED KHALED ISWED ALMU II tests.mettl.com is sharing your screen.
7
Pr A 3
8
9
SAMIX®
10
11
Stop sharing
12
I
Hide 455
13
All
9 K
50°F Mostly cloudy
A &
C
arrow_forward
Please do not give solution in image format thanku
Being the second oldest luxury brand that is still operating today, it’s no surprise that Louis Vuitton has been one of the most valuable luxury brands in the world for decades.The story of Louis Vuitton started almost two centuries ago, when the founder was born in 1821 in a small village in the east of France, called Anchay. Louis Vuitton remains one of the most popular luxury brands in the world, and this will not change any time soon. LV has been known to create limited edition collections every season, and regularly collaborates with various artists and designers, creating even more unique items.
Hollywood socialites like Selena Gomez and Emma Stone are brand ambassadors and the not so famous clamor to purchase and carry LV bags. The most recent best seller is the "Neverfill" tote featured below. The bag retails for $1,760. High ticket price? Yes, but women love this bag!
Name the specific social or personal/individual factor of…
arrow_forward
E FAIBMS36/FEB2022
6 Final Assessment_Test Declaratio
• Download file | ilovePDF
docsgoogle.com/forms/d/e/1FAlpQLScUk7m XQAbSDhnv-0qsBCBvKgmkwb0Q1I|3Vx4wkihZP6TOA/formResponse
In terms of communication styles, which of the following countries has a high-
context society? *
Germany
Scandinavia
Canada
Japan
None of the above
arrow_forward
Q - Describe the impacts of the Internet
has had on marketing and advertising
industry today in terms of global trends,
the needs to be online and future trends.
arrow_forward
TOPIC: The great gap in vaccination
In your discussion emphasize: a) description and role of the assigned issue/topic, b) why political (role and nature of decision of the assigned issue/topic) driver of globalization (that is ending the pandemic and improving the economy)? c) identify 2 advantages and 2 disadvantages (of the issue/topic as a driver of globalization).
arrow_forward
Q. Create an e-magazine highlighting the social cause giving suggestions to address the challenge/issue.
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
BUSN 11 Introduction to Business Student Edition
Business
ISBN:9781337407137
Author:Kelly
Publisher:Cengage Learning
Essentials of Business Communication (MindTap Cou...
Business
ISBN:9781337386494
Author:Mary Ellen Guffey, Dana Loewy
Publisher:Cengage Learning
Accounting Information Systems (14th Edition)
Business
ISBN:9780134474021
Author:Marshall B. Romney, Paul J. Steinbart
Publisher:PEARSON
International Business: Competing in the Global M...
Business
ISBN:9781259929441
Author:Charles W. L. Hill Dr, G. Tomas M. Hult
Publisher:McGraw-Hill Education
Related Questions
- く Home Page - JagApp LO ווח learn-us-east-1-prod-fleet01-xythos.content.blackboardcdn.com Scicction and Da unu A Content ☑Bb❘ https://learn-us-east-1-prod-fleet01-xythos.content.blackboardcdn.com/blackboard.learn.xythos.prod/5a31af5d... 1. Pick a Business Topic: Choose a business topic of your interest. It can be one we've covered in class or a new idea.1 2. Reflect on Your Choice: O How does this topic connect to Al? о How does Al change the way we "do" things? What is important for me to keep in mind for my (future) career? ○ How will Al (potentially) influence what lies ahead? 3. Provide Background Information: Include definitions, concepts, discussion frameworks, pros & cons, and insights into the current discourse regarding the topic. 4. Connect to Al: Develop a guide and provide insights into how Al interacts with your chosen topic using various sources. II. Research Process 23 1. Start Early: Begin your research early to allow ample time for organization and thorough…arrow_forwardS MyPath - Home C n Amazon.com - Onli... 88°F Sunny X Mc Graw Hill Content Question 6 - Marketing Resea X Appeal No. https://ezto.mheducation.com/ext/map/index.html?_con=con&external_browser=0&launchUrl=https%253A%252F%252Flms.mheducation.com%252Fmghmiddl... A Booking.com McAfee Security McAfee Security & Amazon.com - Onli... Content G Image result for cur... Marketing Research Assessment i Multiple Choice O data collection problem definition data analysis taking action X plan development 6 To understand which items were most likely to sell from mall kiosks, a company distributed surveys and even held a few focus groups of kiosk shoppers at different malls. The company's actions demonstrate which step of the marketing research process? Module Preview O X Next Help G x | + Save & Exit Subarrow_forwardpls help ASAParrow_forward
- Critically analyse the below proposal from the Financial Conduct Authority and critically evaluate the legal principles and regulations involved in preventing similar actions of greenwashing. < "FCA proposes new rules to tackle greenwashing Press Releases First published: 25/10/2022 < In a bid to clamp down on greenwashing, the Financial Conduct Authority (FCA) is proposing a package of new measures including investment product sustainability labels and restrictions on how terms like 'ESG', 'green' or 'sustainable' can be used. < The measures are among several potential new rules which will protect consumers and improve trust in sustainable investment products. The work forms part of the commitment made in the FCA's ESG Strategy and Business Plan to build trust and integrity in ESG-labelled instruments, products and the supporting ecosystem. < There has been growth in the number of investment products marketed as 'green' or making wider sustainability claims. Exaggerated, misleading or…arrow_forwardV C CSePub - Electronic Publishing For Professors - Create eBooks 1 Q p @2 W Download S Your Profile | 16 Personalities D2L Trademark Infringement: Models by Mus the advertisements are only seen by older professors and astronomers with interests and expertise in this field who can confirm these models' accuracy and realism. The term "Musk" is often used to describe scents of male cologne and deodorants. In 2017, Prometheus began to sell high-end cologne to be used by models in photo shoots and exclusive fashion weeks worldwide. A trademark search performed by Prometheus did not turn up the mark Models by Musk. Prometheus then began selling their newest cologne, Musk for Models, in a black box with the mark on the box in pixelated white lettering. Underneath the mark on the box, Prometheus' slogan for its newest scent was also printed in a white pixelated font and read "Out of this World." On the bottom of the box, Prometheus provided information explaining the purpose of the scent for…arrow_forwardApp E FA/IBM536/FEB2022 O Final Assessment_Test Declaratic x • Download file ilovePDF i docs.google.com/forms/d/e/1FAlpQLSCUk7m_XQAbSDhnv-OqsBCBvKgmkwb0Q1|13VxAwkihZP6TOA/formResponse O None of the above In terms of communication styles, which of the following countries has a high- context society? * Germany Scandinavia Canada Japan None of the abovearrow_forward
- Q4) Inspect in detail the impact of digital media bloggers. Influencers on the consumption behavior of young consumers. details explantion neededarrow_forwardm.com-Onli... Booking.com McAfee Security a Amazon.com - Onli... ny Marketing Research Assessment i 9 Mc Graw Hill Multiple Choice The marketing research industry relies on ethical standards to help gain the trust of consumers. Establishing trust increases individuals' willingness to participate in research. ensures accurate research results. Content G Image result for cur... informs companies when to cease research. decreases the cost of research. increases the cost of research. 13 Q Saved 6252Fmghmiddl...arrow_forwardQ1.In a social marketing context cultural forces always create opportunities and rarely create threats. T/F __________________________________ Q2. While conducting your research and SWOT analysis for your social marketing campaign, you discovered that there are at least 3 other ongoing campaigns addressing the same issue as yours. In this case the best action would be for you to : a. Continue with your campaign as planned because these are supportive efforts. b. Stop your campaign completely c. Continue with your campaign focus on doing better than the ongoing campaigns and consider them competitors . d. Attempt to change the focus of your campaign to target another one which was ignored by the current ongoing campaigns ______________________________________ Q3.once per year. Therefore, Officials at the Ministry of health have started a campaign which focuses on influencing registered blood donors to donate blood 3 times per year. This indicates that the aim of this campaign is…arrow_forward
- Pls help ASAParrow_forwardIdentify three K–6-grade level children’s books (including title and author) with one common central focus (e.g., the solar system). Please see the attached list.arrow_forwarddvertising campaigns follow the _____. Question 26 options: a) BCG matrix b) SWOT matrix c) IMC model d) AIDA modelarrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- BUSN 11 Introduction to Business Student EditionBusinessISBN:9781337407137Author:KellyPublisher:Cengage LearningEssentials of Business Communication (MindTap Cou...BusinessISBN:9781337386494Author:Mary Ellen Guffey, Dana LoewyPublisher:Cengage LearningAccounting Information Systems (14th Edition)BusinessISBN:9780134474021Author:Marshall B. Romney, Paul J. SteinbartPublisher:PEARSON
- International Business: Competing in the Global M...BusinessISBN:9781259929441Author:Charles W. L. Hill Dr, G. Tomas M. HultPublisher:McGraw-Hill Education
BUSN 11 Introduction to Business Student Edition
Business
ISBN:9781337407137
Author:Kelly
Publisher:Cengage Learning
Essentials of Business Communication (MindTap Cou...
Business
ISBN:9781337386494
Author:Mary Ellen Guffey, Dana Loewy
Publisher:Cengage Learning
Accounting Information Systems (14th Edition)
Business
ISBN:9780134474021
Author:Marshall B. Romney, Paul J. Steinbart
Publisher:PEARSON
International Business: Competing in the Global M...
Business
ISBN:9781259929441
Author:Charles W. L. Hill Dr, G. Tomas M. Hult
Publisher:McGraw-Hill Education