R Graphics with Ggplot2: Day 2 November 16, 2016

Size: px
Start display at page:

Download "R Graphics with Ggplot2: Day 2 November 16, 2016"

Transcription

1 R Graphics with Ggplot2: Day 2 November 16, 16 Saving your plot You can save you plot with ggsave. ggsave("cars.pdf") ggsave("cars.tiff") The default is to save the last plot created in the format determined by the file extension at size of the current graphics device. You can adjust all these in the ggsave command. Look at the help file. Grouping In ggplot, group is another aesthetic. However any aesthetic that creates distinction between items will cause groups to occur: library(nlme) ggplot(oxboys,aes(age,height)) + geom_point() + geom_line(aes(group=subject)) height age ggplot(oxboys,aes(age,height)) + geom_point() + geom_line(aes(colour=subject)) 1

2 height Subject age ggplot(oxboys,aes(age,height)) + geom_point() + geom_line(aes(linetype=subject)) 2

3 height Subject age Once the grouping is defined, it is in effect for all subsequent layers: ggplot(mpg, aes(displ,, colour=drv)) + geom_point() + geom_smooth() 3

4 35 25 drv 4 f r displ We can add an overall best-fit line by redefining the group in the aesthetic for geom_smooth : ggplot(mpg, aes(displ,, colour=drv)) + geom_point() + geom_smooth(aes(group=1)) 4

5 35 25 drv 4 f r displ Exercise: Using the gapminder dataset (library(gapminder)), make a line graph of life expectancy of each country over time. Colour countries by the continent. Faceting Rather than putting a lot of information in a single graphic, we can split the graphic by certain features and plot a matrix of graphics to see the effect of the feature on the data. This is called faceting. There are two different facet commands, facet_grid and facet_wrap. facet_grid is typically used when you have at least 2 factors and you want the layout to be a matrix with one factor defining the rows and the other defining the columns. p0 <- filter(mpg, cyl!= 5, drv %in% c("4", "f")) %>% ggplot(aes(,hwy)) p1 <- p0 + geom_point() p1 + facet_grid(drv ~ cyl) 5

6 hwy 40 4 f p1 + facet_grid(drv ~.) 6

7 40 hwy 40 4 f p1 + facet_grid(. ~ drv)

8 4 f 40 hwy facet_wrap is typically used when you have a single factor with too many levels to fit in a single row or column p1 + facet_wrap( ~ cyl, ncol=2) 8

9 hwy p1 + facet_wrap( ~ drv + cyl) 9

10 hwy f 4 f 6 f Exercise: Use a histogram to explore the distribution of engine size for different vehicle classes. The default for faceting is to use the same scale for each plot. This is usually a wise choice but you can allow each plot to have its own scale. p1 + facet_wrap(~cyl,scales="free") 10

11 hwy p1 + facet_wrap(~cyl,scales="free_x") 11

12 hwy Facets also work well with groups: p0 + geom_point(aes(color=drv)) + facet_wrap(~cyl, ncol=2) 12

13 hwy 40 8 drv 4 f Note: You cannot use a continuous variable to facet. You must first convert it to a discrete variable. Changing title and axis labels You can add a title or change the axis labels ggplot(economics, aes(date, unemploy)) + geom_line() + xlab('date') + ylab('unemployed (in 1000s)') + ggtitle('unemployment over time') 13

14 Unemployment over time Unemployed (in 1000s) You can add them all with labs() Date ggplot(economics, aes(date, unemploy)) + geom_line() + labs(x = 'Date', y = 'Unemployed (in 1000s)', title = 'Unemployment over time') 14

15 Unemployment over time Unemployed (in 1000s) Date We can modify the axis limits in a similar fashion. p1 <- ggplot(mpg, aes(displ, )) + geom_point() p1 p1 + xlim(-1,4) + ylim(-5,25) Scales in general Labelling and axis limits are really part of scales but quite often they are all you want to change so ggplot2 contains special functions to control just those elements. Scales control the mapping from data to aesthetics. They take your data and turn it into something that you can see, like size, colour, position or shape. Scales also provide the guides like axes marks and legends to allow you to read observations from the plot and map them back to their original values. Every plot created by ggplot has a scale for every aesthetic it uses, even if only implicitly. The default scales will contain reasonable defaults, but you can take as much control as you want by providing your own scale. This is done by simply adding another layer to the plot, like this: p1 + scale_x_continuous("engine displacement") + scale_y_continuous("city mileage") 15

16 40 City mileage Engine displacement All scaling functions are of the form scale_ + aesthetic + _ + name of scale, such as scale_x_continous above. Their first argument is always name, which produces the label for the axes and title for the legend. (Setting just this in the last example was equivalent to using xlab and ylab. But you can also control which values appear in the axes as the tick marks and keys in the legend, using the breaks argument, as well as their labelling using the labels argument. (Notice the parallels between axes and legends.) Here s an example of changing the scale for the axes: p1 <- ggplot(sample_n(diamonds, 100), aes(carat,price, colour=cut)) + geom_point() p1 16

17 15000 price cut Fair Good Very Good Premium Ideal carat p1 + scale_x_continuous(name="carat", limits=c(.2,4), trans="log", breaks=c(.25,.5,1,2,4)) + scale_y_continuous(trans="log10", breaks=1000*c(.5,1,2,4,8,16), minor_breaks=null) + scale_colour_discrete("cut") 17

18 price Cut Fair Good Very Good Premium Ideal Carat (Use minor_breaks to control where to place the fainter grid lines that go between the ticks, or NULL to disable them entirely.) Since log and sqrt transformations are so common, ggplot has defined convenience scale functions for these transformations. p1 + scale_x_log10(breaks=c(.25,.5,1,2,4)) + scale_y_log10(breaks=1000*c(.5,1,2,4,8,16)) 18

19 price cut Fair Good Very Good Premium Ideal carat Lets change the scale for colours. p1 <- ggplot(mpg,aes(,hwy, colour=factor(year))) + geom_point() p1 19

20 40 hwy factor(year) p1 + scale_colour_manual(name="year",values=c("red","blue"))

21 40 hwy Year You can even choose to display in the legend only some of the keys: p1 + geom_point(aes(colour=factor(year))) + scale_colour_manual(name="",values=c("red","blue"),breaks=1999,labels="old Data") 21

22 40 hwy Old Data Exercise: Using the msleep data frame, plot the length of the sleep cycle versus the total amount of sleep. Indicate the animal s diet by colour. Add appropriate labels to the axes and colour legend, and make the colour key labels more reader-friendly. We can further control the placement of the legend (or even turn it off) with the legend.position argument of the theme function: p1 + theme(legend.position='top') 22

23 factor(year) hwy p1 + theme(legend.position="none") 23

24 40 hwy Even finer control of the legend is available through the guides p1 + guides(colour=guide_legend(label.position="bottom",ncol=2)) 24

25 40 hwy factor(year) The default colour scale for continuous variables is scale_colour_hue(). You can use this scale to adjust the gradient used to colour from low to high values of the variable. If you do not like the default colours but don t want to choose your own with scale_colour_manual (probably a good idea), you can use scale_colour_brewer which uses a preselected set of colours that work well together. (Note: this requires that the package RColorBrewer be installed.) These are the options available library(rcolorbrewer) display.brewer.all() 25

26 YlOrRd YlGnBu YlOrBr Purples RdPu Reds YlGn PuBuGn PuRd Oranges OrRd Greens Greys GnBu BuGn BuPu Blues Pastel1 Pastel2 Set1 Set2 Set3 Paired Accent Dark2 Spectral RdYlGn RdYlBu RdGy RdBu PRGn PuOr BrBG PiYG Examples for points: p1 <- ggplot(msleep,aes(brainwt,bodywt,colour=vore)) + geom_point() + scale_y_log10() + scale_x_log10() p1 + scale_colour_brewer(palette="set1") ## Warning: Removed 27 rows containing missing values (geom_point). 26

27 1e+03 bodywt 1e+01 vore carni herbi insecti omni 1e brainwt p1 + scale_colour_brewer(palette="set2") ## Warning: Removed 27 rows containing missing values (geom_point). 27

28 1e+03 bodywt 1e+01 vore carni herbi insecti omni 1e brainwt p1 + scale_colour_brewer(palette="pastel1") ## Warning: Removed 27 rows containing missing values (geom_point). 28

29 1e+03 bodywt 1e+01 vore carni herbi insecti omni 1e 01 Examples for areas brainwt p2 <- ggplot(msleep,aes(brainwt,fill=vore)) + geom_histogram(binwidth=1) + scale_x_log10() p2 + scale_fill_brewer(palette="set1") ## Warning: Removed 27 rows containing non-finite values (stat_bin). 29

30 15 count 10 vore carni herbi insecti omni 5 0 p2 + scale_fill_brewer(palette="set2") 1e 03 1e 01 1e+01 brainwt ## Warning: Removed 27 rows containing non-finite values (stat_bin).

31 15 count 10 vore carni herbi insecti omni 5 0 p2 + scale_fill_brewer(palette="pastel1") 1e 03 1e 01 1e+01 brainwt ## Warning: Removed 27 rows containing non-finite values (stat_bin). 31

32 15 count 10 vore carni herbi insecti omni 5 0 1e 03 1e 01 1e+01 brainwt Coordinate systems Sometimes you want to force certain features on the coordinate system in a graphic. This can be accomplished by the coord_xxx set of functions. We can flip the x and y axis. In fact this is the only way to get horizontal boxplots. library(gapminder) p1 <- ggplot(mpg, aes(class, )) + geom_boxplot() + facet_wrap("year") p1 + coord_flip() 32

33 suv subcompact pickup class minivan midsize compact 2seater Notice that flipping the co-ordinates is not always the same as redoing the graph with the variable roles reversed. ggplot(mpg, aes(displ, )) + geom_point() + geom_smooth(se=false) + coord_flip() 33

34 7 6 5 displ ggplot(mpg, aes(, displ)) + geom_point() + geom_smooth(se=false) 34

35 7 6 5 displ We can force a specific aspect ratio between the x and y axis ggplot(mpg,aes(,hwy)) + geom_point() + coord_fixed() 35

36 40 hwy Positioning Position adjustments apply minor tweaks to the position of elements within a layer. They are particularly useful for bar-type plots, which by default stack the different groups: p1 <- ggplot(diamonds,aes(color,fill=cut)) p1 + geom_bar() 36

37 9000 count cut Fair Good Very Good Premium Ideal 0 D E F G H I J color With argument position = "dodge", you can have ggplot place the grouped bars side-by-side: p1 + geom_bar(position="dodge") 37

38 count cut Fair Good Very Good Premium Ideal D E F G H I J color Point geoms use different position adjustments, primarily to reduce overplotting by slightly moving the marks. Jitter moves the points randomly: ggplot(mpg, aes(class, )) + geom_point() 38

39 seater compact midsize minivan pickup subcompact suv class ggplot(mpg, aes(class, )) + geom_point(position = 'jitter') 39

40 10 2seater compact midsize minivan pickup subcompact suv class The default amount of jitter is quite large, but you can control it with width and height arguments to jitter. {r} ggplot(mpg, aes(class, )) + geom_point(position=position_jitter(width=.3, height=0)) This is getting kind of verbose, so there is a convenience geom_jitter : ggplot(mpg, aes(class, )) + geom_jitter(width=.3, height=0) 40

41 seater compact midsize minivan pickup subcompact suv class Adding text to a plot You can add text to any plot using geom_text, with the text to display in the label aesthetic: ggplot(mpg, aes(, hwy, label = model)) + geom_text() 41

42 jetta new beetl 40 new beetle hwy corolla civic civic corolla civic corolla civic altima civicivic camry a4 camry sonata solara altima solara sonata a4 malibucorolla passat malibu a4 tiburon new camry new beetle camry altima civic jetta a4 gti beetle solara jetta gticivic grand sonata camry a4 prix tiburon quattro grand sonata a4 prix impreza malibu forester altima quattro tiburon camry camry awd solara grand corvette a4 mustang camry camry passat malibu a4 grand prix maxima sonata impreza malibu camry quattro a4 tiburon forester altima solara solara new beetle passat passatpassat new jetta prix gti beetle impreza awd awd awd a4 corvette a4 grand quattro a4 a6 quattro forester quattro prix mustang impreza forester maxima awd awd awd a6 corvette quattro mustang tiburon caravan tiburon forester gti 2wdawd mustang corvette caravan a6 jetta quattro forester jetta 2wd awd caravan mustang grand toyota 2wd cherokee tacoma 2wd 4wd caravan mustang 2wd c1500 pathfinder grand toyota mustang suburban toyota cherokee 4runner tacoma 4wd tacoma 4wd 2wd 4wd 4wd dakota k1500 dakota pickup tahoe pickup durango dakota pickup 4wd dakota expedition c1500 caravan ram expedition mountaineer grand explorer grand toyota cherokee explorer 4runner c1500 dakota pickup suburban durango dakota k1500 4wd 4wd tacoma 4wd 4wd 4wd land pathfinder grand navigator range cruiser cherokee toyota rover 2wd 4wd wagon tacoma 4wd 4wd 4wd navigator mountaineer f150 grand explorer f150 toyota 2wd 4runner pickup pathfinder cherokee pickup tahoe 4wd 2wd tacoma 4wd 2wd 4wd 4wd ram ram navigator durango f150 pickup 4wd 2wd pickup 4wd 4wd and ram c1500 dakota k1500 f150 cruiser durango range suburban pickup tahoe wagon rover 4wd 2wd 4wd grand k1500 cherokee tahoe 4wd 500 ta rango cherokee pickup 4wd 4wd This geom accepts many additional aesthetics that affect the way the text is printed. Look at the help documentation. Clearly, the text geom should be used judiciously, because it quickly becomes unreadable because of overlap. You can use the nudge_x and nudge_y arguments to geom_text to manually adjust the position (as well as the hjust and vjust aesthetics for alignment relative to the x-y position), but when there are too many points there won t be any good way to label them all. To label specific points, just give a custom data argument to geom_text. For instance, to label just the smallest engines: p1 <- ggplot(mpg, aes(, hwy)) + geom_point() p1 + geom_text(aes(label=paste(manufacturer,model,sep="\n")), data = filter(mpg, displ == min(displ))) 42

43 40 hwy honda honda civic civic honda civic honda civic To add just a one-off text annotation, you can also use the convenience annotate function. p1 + annotate('text', 15, 40, label="there is a clear linear trend\nbetween highway and city fuel econom 43

44 40 There is a clear linear trend between highway and city fuel economy hwy The label geom puts the text inside a rectangle for a better visibility, which is particularly handy for this purpose, if also (currently) considerably slower than the text geom: p1 + annotate('label', 15, 40, label="there is a clear linear trend\nbetween highway and city fuel econo 44

45 40 There is a clear linear trend between highway and city fuel economy hwy ** Exercise: Using msleep data, plot total sleep against body weight using the species name instead of a point. (Use a log axis if warranted.) ** 45

STOCK # YEAR MAKE MODEL MILEAGE

STOCK # YEAR MAKE MODEL MILEAGE STOCK # YEAR MAKE MODEL MILEAGE A-3164 1985 Bayliner 15' boat n/a A-3283 2005 Infiniti G-35x 260,920 C-5230 2004 Mazda 6 146,318 C-5545 2004 Jeep Liberty 198,192 C-5649 2006 Pontiac Vibe 191,941 C-5682

More information

Intro to ggplot2. Hadley Wickham. Assistant Professor / Dobelman Family Junior Chair Department of Statistics / Rice University

Intro to ggplot2. Hadley Wickham. Assistant Professor / Dobelman Family Junior Chair Department of Statistics / Rice University Intro to ggplot2 Hadley Wickham Assistant Professor / Dobelman Family Junior Chair Department of Statistics / Rice University November 2010 HELLO my name is Hadley had.co.nz/courses/ 10-tokyo Outline Data

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at  ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 C-4770 2002 Lincoln Towncar 106,898 C-4860

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 C-4558 2005 Nissan Murano 118,246 C-4573

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

comscore Automotive Targets for Tier C

comscore Automotive Targets for Tier C comscore Automotive Targets for Tier C You can analyze automotive target viewing several different ways: SEGMENT:,, etc. MAKE: Chevrolet, Dodge, etc. MAKE / MODEL: Ford Mustang, Honda Accord, etc. AFFINITY

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

Driver Death Rate Table* (model years )

Driver Death Rate Table* (model years ) Driver Death Rate Table* (model years 1999-2002) *Per million registered vehicle years during calendar years 2000-2003 source: IIHS Status Report Vol. 40, No. 3, March 19, '05. {Go to http://www.iihs.org/srpdfs/sr4003.pdf}

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

ATTACHMENT 4 (p.1 of 5) 2003 PASSENGER VEHICLE MODELS WITH SIDE AIRBAGS

ATTACHMENT 4 (p.1 of 5) 2003 PASSENGER VEHICLE MODELS WITH SIDE AIRBAGS ATTACHMENT 4 (p.1 of 5) ACURA 3.2 CL / 3.2 TL / 3.5 RL Front Torso only Standard MDX / RSX Front Torso only Standard AUDI A4 except Cabriolet Front Curtain/torso Standard A4 Cabriolet Front Torso/head

More information

ATTACHMENT 2 (p.1 of 5) 2004 PASSENGER VEHICLE MODELS WITH SIDE AIRBAGS

ATTACHMENT 2 (p.1 of 5) 2004 PASSENGER VEHICLE MODELS WITH SIDE AIRBAGS ATTACHMENT 2 (p.1 of 5) ACURA 3.2 TL / MDX / TSX Front Torso & curtain Standard 3.5 RL Front Torso Standard RSX Front Torso Standard AUDI A4 / S4 except Cabriolet Front Torso & curtain Standard A4 / S4

More information

THANK YOU FOR COMING TO PREMIER PUBLIC AUTO AUCTION

THANK YOU FOR COMING TO PREMIER PUBLIC AUTO AUCTION C-2604 1999 Dodge Durango 140,672 C-2778 2006 VW Passat 179,165 C-2906 1998 Ford Expedition 199,030 C-3250 2000 Pontiac Grand Am 223,153 C-3259 2001 Mitsubishi Galant 145,087 C-3264 2004 Jeep Grand Cherokee

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 C-4387 2008 Nissan Versa 143,528 C-4489

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 A-3278 1999 BMW 740iL 212,927 A-3279

More information

Thomas Hirchak Company Market Report for 7/1/2016-8/3/2016. Page: 1 15:19:20

Thomas Hirchak Company Market Report for 7/1/2016-8/3/2016. Page: 1 15:19:20 Page: 1 Acura 2005 TL 163865 Red & White 2300.00 Acura 2002 TL 227270 Red 1000.00 Acura 1998 Integra 176902 Red & White 125.00 Audi 2006 A4 199012 Red 1100.00 Audi 2005 A4 TMU Red 900.00 Audi 2004 A4 186526

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 A-4802 2008 Audi A-6 138,812 C-4558 2005

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 C-4602 2005 Mercury Mountaineer 130,142

More information

Model Year 2008 Vehicles

Model Year 2008 Vehicles Model Year 2008 Vehicles for State agency purchases of vehicles which are NOT for a covered fleet * In Accordance with Act 96, Session Laws of Hawaii 2006, the procurement policy for all agencies purchasing

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 C-4135 2008 Toyota Yaris 240,309 C-4372

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

STOCK # YEAR MAKE MODEL MILEAGE

STOCK # YEAR MAKE MODEL MILEAGE C-4792 2003 Subaru Outback 170,938 C-4860 2008 Chevy Impala 128,492 C-4901 2004 Chevy Astro 46,884 C-4911 2008 Mercury Grand Marquis 73,751 C-4917 2000 Honda Civic 183,342 C-4940 2004 Dodge Grand Caravan

More information

PART NUMBER MAKE MODEL START YEAR END YEAR SUBMODEL SS025-4 ACURA MDX SS027-1 ACURA RDX SS025-5 ACURA RL (ALL MODELS)

PART NUMBER MAKE MODEL START YEAR END YEAR SUBMODEL SS025-4 ACURA MDX SS027-1 ACURA RDX SS025-5 ACURA RL (ALL MODELS) SS025-4 ACURA MDX 2001 2012 SS027-1 ACURA RDX 2007 2012 SS025-5 ACURA RL (ALL MODELS) 2005 2012 SS025-7 ACURA TL (ALL MODELS) 2004 2012 SS023-6 ACURA TSX 2004 2012 SS021-289 AUDI A3 2006 2013 SS023-11

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 A-6590 2003 Chrysler PT Cruiser 133,971

More information

Year Model Year Model Year Model M 2002 ALERO 1994 ALTIMA 1994 ALTIMA 1999 ALTIMA 2003 ALTIMA. BLAZER/JIMMY (full 2002 ACCENT

Year Model Year Model Year Model M 2002 ALERO 1994 ALTIMA 1994 ALTIMA 1999 ALTIMA 2003 ALTIMA. BLAZER/JIMMY (full 2002 ACCENT 1999 300M 2002 ALERO 1999 300M 2003 ALERO 2000 S15 1997 ACCENT 1994 ALTIMA 2000 S15 1998 ACCENT 1994 ALTIMA 1998 ACCENT 1997 ALTIMA 2003 S15 2001 ACCENT 1999 ALTIMA 2002 ACCENT 2002 ALTIMA 2003 S15 2002

More information

northisland.ccu.com/carsale Year Make Model/Description Mileage KBB Value Sale Price

northisland.ccu.com/carsale Year Make Model/Description Mileage KBB Value Sale Price 2017 Acura MDX Sport Utility 3585 $ 43,289 $ 42,995 2017 Acura RDX Sport Utility 4610 $ 33,199 $ 32,860 2016 Acura MDX SH-AWD Sport Utility 29777 $ 35,183 $ 33,898 2016 Acura TLX 3.5 Sedan 9073 $ 28,261

More information

Thomas Hirchak Company Market Report for 9/9/ /12/2017. Page: 1 07:11:19

Thomas Hirchak Company Market Report for 9/9/ /12/2017. Page: 1 07:11:19 Market Report for 9/9/2017 - Page: 1 Acura 2010 TSX 110289 Red & White 3800.00 Acura 2007 RDX 204230 Red 1700.00 Acura 2006 RSX 141689 Red 3200.00 Acura 2003 MDX 151770 Red 1700.00 Acura 2003 TL TMU Red

More information

9595 LYNN BUFF COURT LAUREL, MD 20723

9595 LYNN BUFF COURT LAUREL, MD 20723 STOCK # YEAR MAKE MODEL MILEAGE A-3164 1985 Bayliner 15' boat n/a A-3283 2005 Infiniti G-35x 260,920 C-4886 2005 Scion XB 83,736 C-5230 2004 Mazda 6 146,318 C-5242 2005 Hyundai Elantra 190,166 C-5392 2002

More information

** View our inventory every week at ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828

** View our inventory every week at   ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 Follow us on Twitter & Instagram @PremierPAA ** View our inventory every week at www.premierpaa.com ** Join our mailing list to get our inventory every week! Text PremierPAA to 22828 STOCK # YEAR MAKE

More information

Graphics in R. Fall /5/17 1

Graphics in R. Fall /5/17 1 Graphics in R Fall 2017 9/5/17 1 Graphics Both built in and third party libraries for graphics Popular examples include ggplot2 ggvis lattice We will start with built in graphics Basic functions to remember:

More information

Market Report for 3/5/2018

Market Report for 3/5/2018 Market Report for 3/5/218 21 ACURA MDX 23 ACURA MDX 25 ACURA MDX 26 ACURA MDX 26 ACURA MDX 211 ACURA MDX W/TECHNOL 2 ACURA TL 21 ACURA TL TAN 23 ACURA TL 24 ACURA TL 24 ACURA TSX 211 AUDI A3 4D HBK QTRO

More information

Important Usage Information

Important Usage Information Updated: February 4, 2015 Important Usage Information The following pages have hundreds of price points with analysis of vehicle competitiveness. This information is presented in a way that is unique and

More information

1999 BREEZE M 1995 ASPIRE 1997 ASPIRE 2000 BREEZE M 1984 BRONCO M 1990 ASTRO 1995 CAMARO 2002 ACCENT 1992 ASTRO

1999 BREEZE M 1995 ASPIRE 1997 ASPIRE 2000 BREEZE M 1984 BRONCO M 1990 ASTRO 1995 CAMARO 2002 ACCENT 1992 ASTRO 1999 300M 1995 ASPIRE 1999 BREEZE 1999 300M 1997 ASPIRE 2000 BREEZE 1999 300M 1990 ASTRO 1984 BRONCO 2002 300M 1992 ASTRO 1995 CAMARO 2002 ACCENT 1997 ASTRO 1992 CAMRY 2003 ACCENT 1998 ASTRO 1993 CAMRY

More information

ggplot2: easy graphics with R

ggplot2: easy graphics with R ggplot2: easy graphics with R Ilmari Ahonen Department of Mathematics and Statistics University of Turku ilmari.ahonen@utu.fi ggplot2 1 / 26 Versatile and rich graphics are widely concidered a major strength

More information

WEBASTO PRODUCT NORTH AMERICA INC SOLAIRE 5000/4000 SERIES SUNROOF APPLICATION GUIDE

WEBASTO PRODUCT NORTH AMERICA INC SOLAIRE 5000/4000 SERIES SUNROOF APPLICATION GUIDE WEBASTO PRODUCT NORTH AMERICA INC. 2002 - SOLAIRE 5000/4000 SERIES SUNROOF APPLICATION GUIDE THIS GUIDE IS TO BE USED AS A REFERENCE ONLY. SUNROOF INSTALLERS ARE FULLY RESPONSIBLE FOR THE FINAL DETERMINATION

More information

Injury, Collision, & Theft Losses By make and model, models September 2006

Injury, Collision, & Theft Losses By make and model, models September 2006 Injury, Collision, & Theft Losses By make and model, 2003-05 models September 2006 HIGHWAY LOSS DATA INSTITUTE 1005 North Glebe Road, Arlington, VA 22201 703/247-1600 Fax 703/247-1595 www.iihs.org The

More information

11% FINISHING THE YEAR STRONG TOP SEGMENT GAINERS. All. Mainstream segments experience increased traffic in Q4

11% FINISHING THE YEAR STRONG TOP SEGMENT GAINERS. All. Mainstream segments experience increased traffic in Q4 FINISHING THE YEAR STRONG TOP SEGMENT GAINERS Car shopping traffic was up overall in Q4 on Autotrader, with more than half of mainstream car, truck, and SUV segments posting double-digit growth compared

More information

Thomas Hirchak Company Market Report for 5/2/2017-6/6/2017. Page: 1 07:42:43

Thomas Hirchak Company Market Report for 5/2/2017-6/6/2017. Page: 1 07:42:43 Page: 1 (4) Bridgestone P275/55R20 NA Red 180.00 16 " Aluminum 8 Lug NA Red 110.00 Acura 2004 TSX 201775 Red 1650.00 Acura 2003 TL 139211 Red 1950.00 Acura 2001 TL 137171 Red 1800.00 Acura 1996 RL 140735

More information

JA Auctioneering Sales by Product/Service Detail October 1, 2017

JA Auctioneering Sales by Product/Service Detail October 1, 2017 JA Auctioneering Sales by Product/Service Detail October 1, 2017 Date Memo/Description Amount 1969 FORD F150 TRUCK, GREEN, 58,097 KMS NO DEC'S 3,000.00 10/03/2017 1974 VW SUPER BEETLE COUPE, BROWN,?36,298

More information

JA Auctioneering Sales by Product/Service Detail

JA Auctioneering Sales by Product/Service Detail JA Auctioneering Sales by Product/Service Detail August 2017 Date Memo/Description Amount 08/29/2017 1978 FORD THUNDERBIRD, DIAMOND JUBILEE, SILVER, 51399 KMS DEC'S HIT 560, 270, 4,100.00 1979 BUICK PARK

More information

'08 '09 '10 '11 '12 '13 '14 '15 '16 '17 '18* Years Historical data source: IHS Markit

'08 '09 '10 '11 '12 '13 '14 '15 '16 '17 '18* Years Historical data source: IHS Markit Comprehensive information on the California vehicle market Volume 14, Number 1 Released February 2018 Covering Fourth Quarter 2017 TM Publication Sponsored By: New Vehicle Registrations in State Predicted

More information

Arthritic hands; diminished fine motor skills. Thick steering wheel. Keyless ignition Power mirrors Power seats. Keyless entry

Arthritic hands; diminished fine motor skills. Thick steering wheel. Keyless ignition Power mirrors Power seats. Keyless entry Thick Acura MDX $40,910 $48,710 Acura RDX $33,910 $37,410 Acura RL $46,995 $54,415 Acura TL $34,440 $39,140 Acura TSX $28,905 $31,005 Audi A3 $26,705 $35,690 Audi A4 $29,675 $39,175 Audi A6 $43,725 $57,075

More information

'08 '09 '10 '11 '12 '13 '14 '15 '16 '17 '18* Years Historical data source: IHS Markit

'08 '09 '10 '11 '12 '13 '14 '15 '16 '17 '18* Years Historical data source: IHS Markit Comprehensive information on the California vehicle market Volume 14, Number 3 Released August 2018 Covering Second Quarter 2018 TM Publication Sponsored By: New Vehicle Registrations in State Exceed 1

More information

California Auto Outlook Comprehensive information on the California vehicle market Volume 14, Number 2 Released May 2018 Covering First Quarter 2018

California Auto Outlook Comprehensive information on the California vehicle market Volume 14, Number 2 Released May 2018 Covering First Quarter 2018 Comprehensive information on the California vehicle market Volume 14, Number 2 Released May 2018 Covering First Quarter 2018 TM Publication Sponsored By: New Vehicle Registrations in State Could Exceed

More information

REDUCING THE RISK OF INADVERTENT AUTOMATIC TRANSMISSION SHIFT SELECTOR MOVEMENT

REDUCING THE RISK OF INADVERTENT AUTOMATIC TRANSMISSION SHIFT SELECTOR MOVEMENT Aston Martin BMW Group DB9 Coupe Volante BMW MINI Rolls-Royce 328i Convertible MINI Cooper Phantom 328i Convertible SULEV MINI Cooper S Phantom EWB 328i Coupe 328i Coupe SULEV 328i Sedan 328i Sedan SULEV

More information

2010 Model Year Carolinas Green Vehicle Guide

2010 Model Year Carolinas Green Vehicle Guide 2010 Model Year Carolinas Green Vehicle Guide Use this guide to choose the cleanest and most fuel efficient vehicle that meets your needs REMEMBER: Low pollution and fuel economy are both important for

More information

Released: January 2019 Covering data thru December % Change In New Retail Market: 2018* vs Annual Trends in Area New Vehicle Market

Released: January 2019 Covering data thru December % Change In New Retail Market: 2018* vs Annual Trends in Area New Vehicle Market Released: January 2019 Covering data thru December 2018 Chicago Auto Outlook Comprehensive information on the Chicagoland automotive market TM Publication Sponsored by: % Change In New Retail Market: 2018*

More information

SUMMARY OF VEHICLE DIMENSIONS (1998 MODELS) VEHICLE MAKE Length (m) Length (ft.) Width (m) Width (ft.) 1. CARS

SUMMARY OF VEHICLE DIMENSIONS (1998 MODELS) VEHICLE MAKE Length (m) Length (ft.) Width (m) Width (ft.) 1. CARS SUMMARY OF VEHICLE DIMENSIONS (1998 MODELS) 1. CARS Acura 1.6 EL 4.48 14.70 1.71 5.61 Acura Integra 4.38 14.37 1.71 5.61 Acura CL 4.83 15.84 1.78 5.84 Acura TL 4.87 15.98 1.79 5.87 Acura RL 4.96 16.27

More information

North Carolina Green Vehicle Guide

North Carolina Green Vehicle Guide North Carolina Green Vehicle Guide What s New 2005 Year Vehicles* * This document includes vehicles available in North and South Carolina* Use this guide to choose the cleanest and most fuel-efficient

More information

WEBASTO PRODUCT NORTH AMERICA INC STRATOS 300 & SOLAIRE 3000 SERIES SUNROOF APPLICATION GUIDE

WEBASTO PRODUCT NORTH AMERICA INC STRATOS 300 & SOLAIRE 3000 SERIES SUNROOF APPLICATION GUIDE WEBASTO PRODUCT NORTH AMERICA INC. 2002 - STRATOS 300 & SOLAIRE 3000 SERIES SUNROOF APPLICATION GUIDE THIS GUIDE IS TO BE USED AS A REFERENCE ONLY. SUNROOF INSTALLERS ARE FULLY RESPONSIBLE FOR THE FINAL

More information

WEBASTOHOLLANDIA N.A. INC STRATOS 700 SERIES APPLICATION GUIDE

WEBASTOHOLLANDIA N.A. INC STRATOS 700 SERIES APPLICATION GUIDE WEBASTOHOLLANDIA N.A. INC. 2001 STRATOS 700 SERIES APPLICATION GUIDE THIS APPLICATION GUIDE IS TO BE USED AS A REFERENCE ONLY. SUNROOF INSTALLERS ARE FULLY RESPONSIBLE FOR THE FINAL DETERMINATION OF THE

More information

Jett Auction August 2018

Jett Auction August 2018 08/22/2018 1988 NISSAN SENTRA SEDAN, GREY, 135,350 KMS 08/11/2018 1990 CHEV GMT-400 K1500, WHITE, 214,494 KMS 08/18/2018 1990 TOYOTA COROLLA, RED, 321 351MILES X-USA. 08/11/2018 1992 DODGE STEALTH RT COUPE,

More information

2OO3. Dinghy Towing. Every year, MotorHome compiles a list of CHRIS HEMER

2OO3. Dinghy Towing. Every year, MotorHome compiles a list of CHRIS HEMER Dinghy Towing 2OO3 CHRIS HEMER Every year, MotorHome compiles a list of vehicles that can be towed four-down behind a motorhome with no modifications required. As usual, this year s guide contains only

More information

Thomas Hirchak Company Market Report for 10/22/ /27/2016. Page: 1 15:37:43

Thomas Hirchak Company Market Report for 10/22/ /27/2016. Page: 1 15:37:43 Page: 1 Acura 2002 TL 210877 Red 400.00 Acura 2002 MDX 240758 Red 750.00 Acura 2000 TL 206961 Red 700.00 Ankor Craft 1978 Boat NA Red 75.00 Audi 2005 A4 113179 Red 800.00 Audi 1997 A4 158185 Red 525.00

More information

Every year, MOTORHOME compiles a list of vehicles that can be towed

Every year, MOTORHOME compiles a list of vehicles that can be towed Every year, MOTORHOME compiles a list of vehicles that can be towed four-down behind a motorhome with no modifications required. As usual, this year s guide contains only those vehicles that have been

More information

2006 North Carolina Green Vehicle Guide

2006 North Carolina Green Vehicle Guide IMPORTA 2006 North Carolina Green Vehicle Guide What s New 2006 Model Year Vehicles* *This document includes vehicles available in North and South Carolina Use this guide to choose the cleanest and most

More information

INVENTORY MANAGEMENT PROGRAM

INVENTORY MANAGEMENT PROGRAM UPDATED SEPTEMBER 2017 STOCK-IT UTAH INVENTORY MANAGEMENT PROGRAM STATE PRODUCT RANK SC# % SALES TOTAL GENERAL DESCRIPTION 25 Cars 35 Cars 45 Cars 55 Cars UT OIL 1 OF4622BP 38.5% 38.5% HONDA 00 16; NISSAN

More information

Jett Auction June 2018

Jett Auction June 2018 06/30/2018 1980 CAL GLASS BOAT WITH CALKINS TRAILER WHITE/BROWN AND 80 HOURS 06/16/2018 1988 FORD F150, BLUE, 204,260KM 06/09/2018 1990 FORD TBIRD, BLUE, 244,826KM UNKNOWN DEC'S. 06/23/2018 1992 ACURA

More information

Thomas Hirchak Company Market Report for 7/10/2017-9/6/2017. Page: 1 10:07:15

Thomas Hirchak Company Market Report for 7/10/2017-9/6/2017. Page: 1 10:07:15 Page: 1 2- Sections wire Red 25.00 2-Sections wire Red 25.00 225/45R17 Tires & Red 160.00 Acura 2005 MDX 163959 Red 2450.00 Acura 2004 TSX 201780 Red 1750.00 Acura 2003 TL 228340TMU Yellow 800.00 Acura

More information

Jett Auction July 2O18

Jett Auction July 2O18 07/13/2018 1968 BUICK LE SABRE HARD TOP, GREY, 10,702? KMS UNKNOWN DEC'S 07/21/2018 1988 BMW 735I SEDAN, BLACK, 276,543 KMS 07/21/2018 1991 FORMULA PC29 CRUISER W/ ZEMAN TRAILER, 1,356 HRS 6, 07/21/2018

More information

NICB s Hot Wheels: America s 10 Most Stolen Vehicles

NICB s Hot Wheels: America s 10 Most Stolen Vehicles Get the latest on our social pages: CONTACT: Frank Scafidi 916.979.1510 fscafidi@nicb.org NEWS RELEASE July 12, 2017 www.nicb.org NICB s Hot Wheels: America s 10 Most Stolen Vehicles Two Honda models contribute

More information

Page 1 / 6

Page 1 / 6 AC-L60 ACURA CL 00-003; ACURA TL 999-003; HONDA ACCORD 998-00 Left Patented Stronger Greaseable AC-L604 ACURA CL 00-003; ACURA TL 999-003; HONDA ACCORD 998-00 Right Patented Stronger Greaseable AC-L606

More information

NEW PRODUCT ANNOUNCEMENT MAY 2016 ECM TCC LCM 96 REMAN CONTROL MODULES

NEW PRODUCT ANNOUNCEMENT MAY 2016 ECM TCC LCM 96 REMAN CONTROL MODULES 96 REMAN CONTROL MODULES Covering over 7,860,107 VIO We ve got you covered in your Engine Management Computers Category. AUDI CHEVROLET CHRYSLER DODGE FORD GM HONDA HUYUNDAI INFINITI KIA MAZDA NISSAN MERCEDEZ

More information

JA Auctioneering Sales by Product/Service Detail

JA Auctioneering Sales by Product/Service Detail JA Auctioneering Sales by Product/Service Detail June 2017 Date Memo/Description Amount 1985 MERCEDES 500, COUPE, SILVER, 176,696 KM'S OOP ONTARIO, DAM 4 SMALL CLAIMS, PLUS VANADLISM $1600 450.00 1990

More information

Walker Products, Inc WF37-132C

Walker Products, Inc WF37-132C Special Oxygen Sensor Applications 2017 Diesel & Alternative Fuels Highlights 2013-2014 Acura ILX ELECTRIC/GAS 1.5 2010-2013 Audi A3 DIESEL 2.0 2014 Audi A6 Quattro DIESEL 3.0 2014 Audi A7 Quattro DIESEL

More information

2012 MODEL YEAR VEHICLES

2012 MODEL YEAR VEHICLES WWW.FUELECONOMY.GOV 1 2012 MODEL YEAR VEHICLES This section contains the fuel economy values for 2012 model year vehicles. Additional information for alternative fuel vehicles can be found on pages 8 12.

More information

Car Comparison Project

Car Comparison Project NAME Car Comparison Project Introduction Systems of linear equations are a useful way to solve common problems in different areas of life. One of the most powerful ways to use them is in a comparison model

More information

Occupant Classification System Vehicle List Vehicle OCS Type Front Seat Torque Specifications

Occupant Classification System Vehicle List Vehicle OCS Type Front Seat Torque Specifications Occupant Classification System Vehicle List 1= Strain Gauge System (IN TRACKS) 2= Bladder System (UNDER SEAT CUSHION FOAM ) Updated 12/28/18 3= The Pressure Sensitive Tape System (NO SEAT HEATERS) Column1

More information

A3 Wagon ALL SMALL A4 ALL SMALL A6 ALL SMALL A7 ALL SMALL A8 ALL SMALL S4 ALL SMALL S7 ALL SMALL S8 ALL SMALL Q5 ALL MEDIUM Q7 ALL MEDIUM

A3 Wagon ALL SMALL A4 ALL SMALL A6 ALL SMALL A7 ALL SMALL A8 ALL SMALL S4 ALL SMALL S7 ALL SMALL S8 ALL SMALL Q5 ALL MEDIUM Q7 ALL MEDIUM [ V ] SEPTEMBER 2012 VEHICLE SIZING GUIDE PLEASE NOTE: IF YOU DO NOT SEE YOUR VEHICLE LISTED, PLEASE EMAIL INFO@MIRRORSOX.COM FOR PROPER SIZING AND AVAILABILITY. Vehicle sizing is for year Model 2000-2013.

More information

Over 480 assemblies available!

Over 480 assemblies available! Over 480 assemblies available! 955-105(L) 955-106(R) 1998-88 Chevy/C Pickups, Suburban () 955-201(L) 955-202(R) 1995-89 Pickups (Window Mount w/o Vent) 955-305(L) 955-306(R) 1997-96 S10, Sonoma Pickups,

More information

NEW PRODUCT ANNOUNCEMENT JUN 2016 ECM TCC LCM 96 REMAN CONTROL MODULES

NEW PRODUCT ANNOUNCEMENT JUN 2016 ECM TCC LCM 96 REMAN CONTROL MODULES 96 REMAN CONTROL MODULES Covering over 8,382,768 VIO We ve got you covered in your Engine Management Computers Category. AUDI BMW CADILLAC CHEVROLET CHRYSLER DODGE FORD GM HUYUNDAI INFINITI KIA LAND ROVER

More information

JA Auctioneering Sales January 1, 2018 Date Memo/Description Amount

JA Auctioneering Sales January 1, 2018 Date Memo/Description Amount JA Auctioneering Sales January 1, 2018 Date Memo/Description Amount 01/06/2018 1994 GMC SIERRA TRUCK, BLUE, 384,945 KMS 01/06/2018 1997 INFINTI QX4 SUV, BROWN, 215,489 KMS DEC'S, $4300, $2200 DAMAGES 01/06/2018

More information

NEW ITEMS Chrysler/Ford

NEW ITEMS Chrysler/Ford NEW ITEMS Chrysler/Ford Front and Rear Fender Flare Retainer Jeep Wrangler 2007 Chrysler OEM No.: 68033045AA 20mm Head Dia. 19mm Stem Length 23mm Overall Length Fits into M9 Hole 7mm Slot 1494004 15 Push

More information

YEAR MAKE MODEL DISPLACEMENT Eco-MPG Performance

YEAR MAKE MODEL DISPLACEMENT Eco-MPG Performance DOMESTIC BUICK 1996-2008 BUICK CENTURY 3.8 ad1p ad1i 1996-2009 BUICK LESABRE 3.8 ad1p ad1i 2005-2009 BUICK LACROSSE 3.8/5.3 ad1p ad1i 2006-2010 BUICK LUCERNE 3.9/4.6 ad1p ad1i CADILLAC 1997-2001 CADILLAC

More information

InvisiBrake Reference Information

InvisiBrake Reference Information Reference Information Please note: this is NOT a fit chart. This resource document contains information on vehicles that have been seen at the Roadmaster factory. The chart is intended to be a helpful

More information

Buick Vehicle Year & Model Part Number List Price. Rainer Cadillac Vehicle Year & Model Part Number List Price. Escalade. Blazer

Buick Vehicle Year & Model Part Number List Price. Rainer Cadillac Vehicle Year & Model Part Number List Price. Escalade. Blazer Buick Vehicle Year & Model Part Number List Price 2002-08 Buick Rainer, 2 in. Hitch Mount MEYFHK31055 $199.00 Rainer Cadillac Vehicle Year & Model Part Number List Price 2007-2010 Except Hybrid MEYFHK31012

More information

2011 Eco-Friendly Taxi Guide

2011 Eco-Friendly Taxi Guide 2011 Eco-Friendly Taxi Guide Updated November 2, 1011 Who is this Guide for? This Guide is for taxi licensees in British Columbia who want to know which 2011 vehicles meet the Board definition of eco-friendly

More information

JA Auctioneering Sales April 2018

JA Auctioneering Sales April 2018 JA Auctioneering Sales April 2018 Date Memo/Description Amount 04/07/2018 1982 HONDA GOLDWING, BROWN, 68,243 KMS 1,075.00 UNKNOWN DEC'S 04/14/2018 1982 VOLVO WAGON, WHITE, UNKNOWN KMS 550.00 DEC'S, $1200,

More information

Chevy and GMC Trucks and SUV Year Bolt Pattern Lug Style Center Bore 1/2 Ton Blazer, Jimmy, Suburban (2WD) '71-'91 5 x 5" Nut 78.1mm 1/2 Ton Blazer,

Chevy and GMC Trucks and SUV Year Bolt Pattern Lug Style Center Bore 1/2 Ton Blazer, Jimmy, Suburban (2WD) '71-'91 5 x 5 Nut 78.1mm 1/2 Ton Blazer, Chevy and GMC Trucks and SUV Year Bolt Pattern Lug Style Center Bore 1/2 Ton Blazer, Jimmy, Suburban (2WD) '71-'91 5 x 5" Nut 78.1mm 1/2 Ton Blazer, Jimmy, Suburban (4X4) '71-'91 6 x 5.5" Nut 108mm Chevy

More information

JA Auctioneering Sales by Product/Service Detail September 1, 2017

JA Auctioneering Sales by Product/Service Detail September 1, 2017 JA Auctioneering Sales by Product/Service Detail September 1, 2017 Date Memo/Description Amount 19695 FORD EXPLORER, EDDIE BAUER, SUV, RED, 231057 KM'S DEC'S OOP NEW BRUNSWICK 800.00 1987 CADILLAC DE VILLE

More information

2005 Official Towing Ratings

2005 Official Towing Ratings MotorHome s annual compilation of cars, trucks and SUVs suitable for flat towing Joel R. Donaldson 16 MotorHome Towing Guide CHEVROLET MALIBU Motorhome owners can choose from a diverse and interesting

More information

February 28, Please be advised of the following part supercessions:

February 28, Please be advised of the following part supercessions: Continued from page 1 Old Catalog M56726 M56906 M56907 M56908 New Catalog G56726 G56906 G56907 G56908 85-90 Buick Electra Air(RearSpringType); 86-99 Buick LeSabre Coil(RearSpringType); 91-96 Buick Park

More information

Appendix D. Cars with the Lowest Adjusted MPG by Model Year

Appendix D. Cars with the Lowest Adjusted MPG by Model Year Table D-1 Cars with the Lowest Adjusted MPG by Model Year Model Manufacturer Model Name EPA Size Inertia Fuel HP CID Year Class Weight Drive Trans Gears Induct. City Hwy 55/45 1975 GM

More information

PRODUCT RANK SC# - % SALES TOTAL GENERAL DESCRIPTION

PRODUCT RANK SC# - % SALES TOTAL GENERAL DESCRIPTION NEVADA January 2019 STOCK-IT - Inventory Management Program STATE PRODUCT RANK SC# % SALES TOTAL GENERAL DESCRIPTION 25 Cars 35 Cars 45 Cars 55 Cars NV OIL 1 OF4622BP 23.1% 23.1% HONDA 00-16; NISSAN 95-18

More information

InvisiBrake Reference Information

InvisiBrake Reference Information Reference Information Please note: this is NOT a fit chart. This resource document contains information on vehicles that have been seen at the Roadmaster factory. The chart is intended to be a helpful

More information

OL-MIB-KO Currently Does Immobilizer Bypass on 1444 Vehicle

OL-MIB-KO Currently Does Immobilizer Bypass on 1444 Vehicle Acura 2010 2009 2008 2007 2006 2005 2004 2003 2002 2001 2000 1999 1998 1997 CL Coupe 2 doors CL Coupe 2 doors 6 CS Sedan 4 EL Sedan 4 Integra Coupe 2 doors 4 MD SUV/Crossover 6 RD SUV/Crossover 4 RL Sedan

More information

KELLEY BLUE BOOK BRAND WATCH: NON-LUXURY SEGMENT TOPLINE REPORT. 4 th Quarter 2018

KELLEY BLUE BOOK BRAND WATCH: NON-LUXURY SEGMENT TOPLINE REPORT. 4 th Quarter 2018 KELLEY BLUE BOOK BRAND WATCH: NON-LUXURY SEGMENT TOPLINE REPORT 4 th Quarter 2018 W H A T I S B R A N D W A T C H TM? Brand Watch, a shopper perception study, reveals trends in vehicle consideration among

More information

MARCA MODELO AÑOS Observacion Del Izquierda Del Derecha

MARCA MODELO AÑOS Observacion Del Izquierda Del Derecha ACURA MDX 2002-01 - H381261 H381261 ACURA TL 2008-07 Type-S H620020 H620020 ACURA TL 2010-04 MT H620020 H620020 ACURA TSX 2010-09 - H382555 H382554 AUDI A3 2009 w/drive Select H621175 H621175 AUDI Q7 2009-07

More information

DOOR LOCK ACTUATOR. DLA-CA-97LF/RF Dorman# / DOOR LOCK ACTUATOR CAMRY USA built FRONT LEFT/RIGHT

DOOR LOCK ACTUATOR. DLA-CA-97LF/RF Dorman# / DOOR LOCK ACTUATOR CAMRY USA built FRONT LEFT/RIGHT DOOR LOCK ACTUATOR DLA-AC-98LF Dorman#746-362 DOOR LOCK ACTUATOR 99-03 ACURA TL FRONT & REAR LEFT 98-02 ACCORD FRONT LEFT 01-05 CIVIC FRONT LEFT 02-06 CRV FRONT LEFT 99-04 ODYSSEY FRONT & REAR LEFT DLA-AC-03LF

More information

PRESS RELEASE 04:30 EDT, 12 th October 2017 Troy, MI, USA

PRESS RELEASE 04:30 EDT, 12 th October 2017 Troy, MI, USA PRESS RELEASE 04:30 EDT, 12 th October 2017 Troy, MI, USA US VEHICLE SALES FELL BY 1.1% IN Q3 2017, DESPITE A STRONG SEPTEMBER PERFORMANCE SUVs, Trucks, and Vans continued to gain market share in Q3 2017,

More information

PRESS RELEASE 04:30 EDT, 7 th April 2017 Troy, MI, USA

PRESS RELEASE 04:30 EDT, 7 th April 2017 Troy, MI, USA PRESS RELEASE 04:30 EDT, 7 th April 2017 Troy, MI, USA US VEHICLE SALES FELL BY 1.9% IN THE FIRST QUARTER OF 2017 FOLLOWING DECLINES IN TRADITIONAL SEGMENTS SUVs, Pickups increase their share of total

More information

32 DEALERS CARS AND TRUCKS

32 DEALERS CARS AND TRUCKS ADVANCE LIST Bellflower Wednesday/Thursday - 9/10-9/11 32 DEALERS - 266 CARS AND TRUCKS From the 605 Fwy South, exit Alondra, (just north of the 91 Fwy), turn right, then left

More information

CHEVROLET No underseat air duct or rear floor heat Required. No 2007 or 2011 SS models.

CHEVROLET No underseat air duct or rear floor heat Required. No 2007 or 2011 SS models. Seat Bracket Adaptor Application Guide ROADMASTER, INC 6110 NE 127th Ave Vancouver, WA 98682 1-800-669-9690 FAX (503) 288-8900 www.roadmasterinc.com Make/Model ACURA MDX 01-04 88189 MDX 05-06 88118 No

More information

Car Comparison Project

Car Comparison Project NAME Car Comparison Project Introduction Systems of linear equations are a useful way to solve common problems in different areas of life. One of the most powerful ways to use them is in a comparison model

More information

San Diego Auto Outlook

San Diego Auto Outlook Covering Second Quarter 2018 Volume 18, Number 3 Comprehensive information on the San Diego County new vehicle market FORECAST County New Vehicle Market Remains Strong in First Half of 2018 Below is a

More information

INSTALLATION SPECIFICATIONS AND INFORMATION 2005 MODEL YEAR

INSTALLATION SPECIFICATIONS AND INFORMATION 2005 MODEL YEAR INSTALLATION SPECIFICATIONS AND INFORMATION 2005 MODEL YEAR Proper Location of Sunroof NOTE: These specifications are intended to be guidelines only. Car manufacturers may change specifications without

More information

Note: Your vehicle needs a headrest or a seatback to which the seat cover can attach.

Note: Your vehicle needs a headrest or a seatback to which the seat cover can attach. The Upholstery-Grade Seat Cover is available in many recent makes and models of cars. These protectors confine water, dirt, and spills to the water-repellent poly-cotton fabric, and give your dog a ride

More information