Batting Stats 11: wRC+ Revisited

The results that we got from testing the wRC+ stat weren’t great.  In testing some other stuff, I realized that we’re getting duplicate entries for batters on the CalcBatting table:

Clearly the same player, same year, stint, team, and stats.  Well, all stats except for wRC+.  The issue is not being able to return a unique subleague for each row.  To deal with this, we’re going to make a couple of adjustments:

First, we’re going to change the sub_league_history_batting table to mirror the structure of the sub_league_history_pitching table.  This doesn’t directly solve the problem, but on reflection, I didn’t like how this table was calling data from a table it was sending data to.  It seems like a circular reference to me, even if the data is static.

DROP TABLE IF EXISTS sub_league_history_batting;
CREATE TABLE IF NOT EXISTS sub_league_history_batting AS

SELECT
       year
     , league_id
     , sub_league_id
     , slg_PA
     , slg_r
     
     FROM  (        
     SELECT p.year
          , p.league_id
          , t.sub_league_id
          , sum(pa) AS slg_PA
          , sum(r) AS slg_r
     FROM players_career_batting_stats AS p INNER JOIN team_relations AS t ON p.team_id=t.team_id
         INNER JOIN players ON p.player_id=players.player_id
     WHERE p.split_id=1 AND players.position<>1
     GROUP BY year, league_id, sub_league_id
      ) AS x ;

Now we have the subleague data pulling from the game-generated players career batting stats table.  A quick check shows that subleague runs are unchanged by this, but PA counts have changed a tiny bit – less than 10 over tens of thousands.  Not sure why, but I think the raw data from players_career_batting_stats table is more accurate.

Next, we’re going to add a sub_league column to CalcBatting, but we are going to do it in a way that avoids circular references. We’re actually going to alter the players_career_batting_stats table to include a subleague.  Then, we’ll get fancy and write a trigger that adds subleague to new records while leaving old ones unchanged.  Let’s start with altering the existing records.

We’ll add the subleague column thusly:

ALTER TABLE players_career_batting_stats
ADD COLUMN sub_league_id INT AFTER league_id;

Then, populate it:

UPDATE players_career_batting_stats2 AS b
INNER JOIN team_relations AS t ON b.league_id=t.league_id AND b.team_id=t.team_id
SET b.sub_league_id=t.sub_league_id;

We’ll come back to the trigger in another post.  We include the sub_league_id column near the top of CalcBatting returning the sub_league column we just included above:

USE mystruggle;
#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint 
    , b.split_id 
    , b.team_id 
    , b.sub_league_id
    , b.g
    , b.ab
Etc, etc, etc

You’ll notice I did a little other cleanup as well; I removed the league_abbr and team_abbr from the table.  We don’t need these columns taking up space in the table when we can easily pull them in when we need them.

Finally, and the cause of the duplicate records problem, was adding a missing JOIN element between players_career_batting_stats and sub_league_history_batting.  I had joined on league and sub-league, but not year.  Adding year brought me back to normal.

After I made a few more adjustments that I will talk about in  a later post, I re-ran a test for wRC+, adjusting my Happy Zone down to 5 points.

  • 20 out of 30 are within 5 points of the game
  • 24 out of 30 are within 7 points of the game
  • 27 out of 30 are within 10 points of the game
  • 3 missed by more than 10, the highest being 14 points.

14 points is really a lot.  However, a 90% pass rate is really pretty good considering where I was before I straightened out the sub-league situation.

 

Batting Stats 10: wRC+

I will be writing this as I work through it, so this may be a little disjointed and have some false starts, but what the heck.

wRC+ is similar to wRC and wRAA in that it measures runs created by a batter in a particular league-year context.  The most significant differences are that wRC+ is a rate statistic rather than a counting stat- scaling to a 100 scale for easy interpretation.  The second biggest difference is that this stat is league and park adjusted.  This allows us to compare players across years and leagues.

The park and league adjustments present some challenges, though.  First, I was warned not to use the park factors from the park tables.  This is a huge bummer because it would have saved me a ton of difficult work.  In fact, I am going to try using the park factors from that table as a starting point, just to be sure it won’t work.  I am really not looking forward to doing those calcs myself.

The league adjustments won’t be as big of an issue. I can use the team_affiliations table to determine subleague (i.e. AL vs NL) for each player – or I can ignore it altogether.  I am thinking of disregarding subleagues because I haven’t noticed much difference between my leagues in game play.  I never use the DH, so offense isn’t skewed by that.  I will try it and see how easy it is.

The formula, per Fangraphs, is:
((wRAA/PA + League Runs Per PA) + (League Runs Per PA - (Park Factor*League Runs Per PA) / (Subleague wRC/PA)) ALL x 100 

Let’s break this down bit by bit.

  • Step 1: (Player wRAA / PA +
    • Will have to decide whether to elaborate the wRAA formula or use a variable in its definition, but very easy aside from that.  I will try it as a variable first.
  • Step 2: League Runs Per PA) +
    • Knowing that this would end up as part of the wRC+ calculation, I added it to the League Runs Per Out view I created in the Run Environment section.  And since we already referenced that view for wRAA, we can simply reference it here as RperPA
  • Step 3: (League Runs Per PA –
    • Same as Step 2
  • Step 4: (Park Factor * League Runs Per PA) / 
    • If the park factor from the parks table can be used as a reasonable substitute – and I’m really hoping it can – then this is pretty straightforward.  I would join to parks on team_id and return the park factor (avg).  If can’t be used, then I’m off down a rabbit hole to calculate those park factors.
  • Step 5: (Subleague wRC/Subleague PA)
    • Here’s a weird thing: Subleague wRC.  Just like a league wOBA is really just OBP, wouldn’t league wRC just be runs?  Let’s look at the wRC formula again as it would apply to the league:
      • League_wRC = (((League_wOBA-League_wOBA)/wOBA Scale)+(League_R/League_PA))*League_PA
        • League_wOBA – League_wOBA = 0.  And 0 divided by anything is 0.  So, we evaluate to: 0 + (League_R/League_PA))*League_PA
        • League Runs Per Plate Appearance times Plate Appearances = League Runs.
    • So that leaves us with Subleague_Runs divided by Subleague_PA – the same RperPA stat that we’ve used above, just at the subleague level.
  • Step 6: x 100
    • Self explanatory, really.

I have to do something about identifying subleagues and summing their data before I start coding this formula.  At this point, I only need runs and PA.  Since I am eager to keep moving, those are the only stats I’ll create.  I created a quick table with those summed stats, joining on the team relations table:

DROP TABLE IF EXISTS sub_league_history_batting;
CREATE TABLE IF NOT EXISTS sub_league_history_batting AS
   (SELECT b.year
      , b.league_id
      , t.sub_league_id
      , sum(b.PA) as slg_PA
      , sum(b.r) as slg_r
    FROM CalcBatting b
      INNER JOIN team_relations t ON b.team_id=t.team_id AND b.league_id=t.league_id
      INNER JOIN players p ON b.player_id=p.player_id
    WHERE p.position<>1
    GROUP BY b.year, b.league_id, t.sub_league_id
   );

OK, before the results, let’s set some initial expectations.  Fangraphs‘ rule of thumb chart is below.  It suggests, I think, that if I get within 10 points, I can trust that I’m in the right ballpark.  It won’t be super accurate for precise comparisons between players, but I can probably trust it for general analysis.

And here are the results – randomly selected player years.

Pretty ugly, actually.  19 of 30 are in the happy zone.  Of course, the happy zone is really much bigger than I would like it to be.  8 are borderline, and the remaining 3 are just awful.  Some are high; some are low.

At this point, I am not comfortable using this stat as a basis for any decision-making.  I’m also not ready to dive in and determine the park factors.  So, at least for the time being, I am going to leave this here and move on to pitching stats.

Here’s the script:

#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , b.r 
    , b.h
    , b.d
    , b.t
    , b.hr
    , b.rbi
    , b.sb
    , b.cs
    , b.bb
    , b.k
    , b.ibb
    , b.hp
    , b.sh
    , b.sf
    , b.gdp
    , b.ci
    , @BA := round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as OBPplus
    , @SLG := round((b.h+b.d+2*b.t+3*b.hr)/b.ab,3) as slg
    , round(@OBP+@SLG,3) as ops
    , round(@SLG-@BA,3) as iso
    , round((b.h-b.hr)/(b.ab-b.k-b.hr+b.sf),3) as babip
    , @woba := round((r.wobaBB*(b.bb-b.ibb) + r.wobaHB*b.hp + r.woba1B*(b.h-b.d-b.t-b.hr) +
       r.woba2B*b.d + r.woba3B*b.t + r.wobaHR*b.hr)
       /(b.ab+b.bb-b.ibb+b.sf+b.hp),3) as woba
    , @wRAA := round(((@woba-r.woba)/r.wOBAscale)*@PA,1) as wRAA
    , round((((@woba-r.woba)/r.wOBAscale)+(lro.totr/lro.totpa))*@PA,1) as wRC
    , ROUND((((@wRAA/@PA + lro.RperPA) + (lro.RperPA - p.avg*lro.RperPA))/(slg.slg_r/slg.slg_pa))*100,0) as 'wRC+'
    FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
      INNER JOIN vLeagueRunsPerOut lro ON b.year=lro.year AND b.league_id=lro.league_id
      INNER JOIN parks p ON t.park_id=p.park_id
      INNER JOIN sub_league_history_batting slg ON t.sub_league_id=slg.sub_league_id AND b.league_id=slg.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year

Batting Stats 9: wRAA

Weighted Runs Above Average (wRAA) takes Weighted Runs Created (wRC) and puts it in the context of comparing it to the average player.  Below, we see one of our test subjects, Jorge Acosta.

In 2015, Acosta accumulated 56.9 wRC.  Is that good?  As with all counting stats, it depends.  Like other counting stats, the number of plate appearances matters.  (I know I have AB shown here, but bear with me.) A player who racks up 50 RBIs over a full season isn’t terribly impressive.  One who does it in 200 plate appearances is amazing.  Same with wRC.  Fangraphs gives us some general guidelines on what’s good, great, average, etc. over the course of a full season.  Still, that’s a number that is devoid of any context.  How does that stack up against other players in the league?

That’s where wRAA comes in.  League average wRAA is always 0.  So, looking at Acosta with his -7.3 wRAA, we see that his 56.9 wRC is not impressive at all: 7% below league average.  In 2015, Acosta played like a scrub.

We derive wRAA thusly:
(wOBA-lg_woba)/wOBAscale)*PA

It does, and should, look very similar to wRC.

My testing paramaters are based on the idea that there’s generally around 10 points separating the middle categories of poor to above average.  In order that my stats stay close to the game’s, I started off with a threshold of 3 points.  All of my results were within that range, so I tightened up a bit.  I changed my “good” zone to 1.0.  Here are my results:

Again, I’m really happy with how this turned out.  I don’t think I need to do any tweaking or further investigation.  Ready to move on!

Our script with the addition of wRAA:

#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , b.r 
    , b.h
    , b.d
    , b.t
    , b.hr
    , b.rbi
    , b.sb
    , b.cs
    , b.bb
    , b.k
    , b.ibb
    , b.hp
    , b.sh
    , b.sf
    , b.gdp
    , b.ci
    , @BA := round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as OBPplus
    , @SLG := round((b.h+b.d+2*b.t+3*b.hr)/b.ab,3) as slg
    , round(@OBP+@SLG,3) as ops
    , round(@SLG-@BA,3) as iso
    , round((b.h-b.hr)/(b.ab-b.k-b.hr+b.sf),3) as babip
    , @woba := round((r.wobaBB*(b.bb-b.ibb) + r.wobaHB*b.hp + r.woba1B*(b.h-b.d-b.t-b.hr) +
       r.woba2B*b.d + r.woba3B*b.t + r.wobaHR*b.hr)
       /(b.ab+b.bb-b.ibb+b.sf+b.hp),3) as woba
    , round(((@woba-r.woba)/r.wOBAscale)*@PA,1) as wRAA
    , round((((@woba-r.woba)/r.wOBAscale)+(lro.totr/lro.totpa))*@PA,1) as wRC
    /* NOT yet modified for OOTP and MySQL
    , ((([wRAA]/[PA] + l.RperPA) + (l.RperPA - t.bpf*l.RperPA))/(lb.wRC/lb.PA))*100 AS [wRC+]
    */
    FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
      INNER JOIN vLeagueRunsPerOut lro ON b.year=lro.year AND b.league_id=lro.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year

Batting Stats 8: wRC

Weighted Runs Created (wRC) is a counting stat that sums the weighted total offensive production of a player in terms of runs.  It tells you how many runs a player produced through his offense in a given time period.  It’s based on the same linear weights as wOBA.  In fact, it’s derived completely from wOBA.  Essentially, it takes the difference between the player’s wOBA and the league wOBA divided by the wOBAscale, plus the league runs per PA, and multiplies it by the player’s plate appearances:

round((((@woba-lg_woba)/wOBAscale)+(lg_.totr/lg_.totpa))*PA,1)

The results I got in my testing were pretty good.  This makes some sense as my wOBA results are also pretty good, and this stat is derived from that one.  Still, it’s a bit of a relief.  I decided that my testing threshold for this stat would be 3.5.  Fangraphs suggests that increments of 10 wRC separate the awful from the poor, and the average from the above average.  I figure that by keeping my threshold well below half of that, I can be reasonably confident that my stats will be in the right neighborhood as those the game generates.

I’m really pretty pleased with this.  Note that this particular sample is pretty representative, and doesn’t contain any players that are at the top of the league.  The fringy cases may still be problematic, but I am good to move on.

The script as it stands now:

#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , b.r 
    , b.h
    , b.d
    , b.t
    , b.hr
    , b.rbi
    , b.sb
    , b.cs
    , b.bb
    , b.k
    , b.ibb
    , b.hp
    , b.sh
    , b.sf
    , b.gdp
    , b.ci
    , @BA := round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as OBPplus
    , @SLG := round((b.h+b.d+2*b.t+3*b.hr)/b.ab,3) as slg
    , round(@OBP+@SLG,3) as ops
    , round(@SLG-@BA,3) as iso
    , round((b.h-b.hr)/(b.ab-b.k-b.hr+b.sf),3) as babip
    , @woba := round((r.wobaBB*(b.bb-b.ibb) + r.wobaHB*b.hp + r.woba1B*(b.h-b.d-b.t-b.hr) +
       r.woba2B*b.d + r.woba3B*b.t + r.wobaHR*b.hr)
       /(b.ab+b.bb-b.ibb+b.sf+b.hp),3) as woba
    , round((((@woba-r.woba)/r.wOBAscale)+(lro.totr/lro.totpa))*@PA,1) as wRC
    /* NOT yet modified for OOTP and MySQL
    , ((([wRAA]/[PA] + l.RperPA) + (l.RperPA - t.bpf*l.RperPA))/(lb.wRC/lb.PA))*100 AS [wRC+]
    */
    FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
      INNER JOIN vLeagueRunsPerOut lro ON b.year=lro.year AND b.league_id=lro.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year

Batting Stats 7: wOBA Corrected

I think I found one of the culprits: Intentional Walks.  Our two guys, Sink and McDonough, have IBB’s in that season well over the average.  I queried the database to find their IBB’s as well as league average for those seasons:

SELECT b.player_id
  , concat(p.first_name, " ", p.last_name) as player 
  , l.abbr
  , b.year
  , b.league_id as league 
  , b.ibb
  , x.lg_avg_ibb
  , b.ibb-x.lg_avg_ibb as diff
FROM (  	
	SELECT b.year
	 , b.league_id
	 , round(avg(b.ibb),0) as lg_avg_ibb
	FROM CalcBatting b
	INNER JOIN players p ON b.player_id-p.player_id
	WHERE b.ab>200 AND p.position<>1 
	GROUP BY b.year, b.league_id
	) as x
  INNER JOIN CalcBatting b ON x.year=b.year AND x.league_id=b.league_id
  INNER JOIN players p ON b.player_id=p.player_id
  INNER JOIN leagues l ON b.league_id=l.league_id
 WHERE b.player_id IN (2574, 472) AND b.year=2015;

You’ll see that both were well above average:

Sink is about 1 standard deviation above average while McDonough is off the charts at almost 6.

I took a look at the 10 highest IBB variances to see if we can say with any certainty that we’re handling IBB’s incorrectly:

Looking at this, I think it’s pretty clear that if nothing else, IBB is at least contributing to the differences in wOBA by weighting it too highly.

It turns out that it’s not necessarily the weighting, but rather for formula for wOBA itself.  I removed IBB from the formula and recalculated wOBA for these 10 player-seasons:

Every single one of them improved.  Not yet perfect, but now that I have the outliers at least within the medium range, I feel comfortable moving on for real.  So, here’s the revised script for CalcBatting with the corrected formula for wOBA:

#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , b.r 
    , b.h
    , b.d
    , b.t
    , b.hr
    , b.rbi
    , b.sb
    , b.cs
    , b.bb
    , b.k
    , b.ibb
    , b.hp
    , b.sh
    , b.sf
    , b.gdp
    , b.ci
    , @BA := round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as OBPplus
    , @SLG := round((b.h+b.d+2*b.t+3*b.hr)/b.ab,3) as slg
    , round(@OBP+@SLG,3) as ops
    , round(@SLG-@BA,3) as iso
    , round((b.h-b.hr)/(b.ab-b.k-b.hr+b.sf),3) as babip
    , round((r.wobaBB*(b.bb-b.ibb) + r.wobaHB*b.hp + r.woba1B*(b.h-b.d-b.t-b.hr) +
       r.woba2B*b.d + r.woba3B*b.t + r.wobaHR*b.hr)
       /(b.ab+b.bb-b.ibb+b.sf+b.hp),3) as woba
    /* NOT yet modified for OOTP and MySQL
    , round((([woba]-r.lgwoba)/r.wobascale)*[PA],1) as wRAA
    , round(((([woba]-r.lgwoba)/r.wobascale)+(l.totr/l.totpa))*[PA],0) as wRC
    , ((([wRAA]/[PA] + l.RperPA) + (l.RperPA - t.bpf*l.RperPA))/(lb.wRC/lb.PA))*100 AS [wRC+]
    */
    FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year

Batting Stats 6: Follow-up on wOBA

I wasn’t totally comfortable with the testing results for wOBA.  I didn’t change the calculation, but I did change my testing methodology.  The first time around was totally un-scientific:  I typed random player_id’s into a query, looked for stats that felt ‘good’ (whatever that means), grabbed their names and searched for the stats in the game.

I revisited my method several times.  Since my biggest misses in the last test were with small sample sizes and, since I don’t really care about stats with small sample sizes, I limited my sample to player-years with at least 200 AB’s.  Perhaps redundantly, I removed pitchers from the sample as well.  Thinking that there would be an easy way to grab the stats from OOTP, I limited the sample to the last two game years. (There’s not, really.)  Finally, rather than cherry picking records that passed some indefinable sniff-test, I assigned a random number to each record, sorted my results by that random number, and limited the result set to 30.  Then, I went into the game and looked up the stats for those player-years.

Here’s the query that did that:

SELECT rand() as sorted
  , p.player_id
  , concat(first_name, " ", last_name) as player
  , b.year
  , l.abbr 
  , b.ab
  , b.woba
FROM players p
  INNER JOIN CalcBatting b ON p.player_id=b.player_id
  INNER JOIN leagues l ON b.league_id=l.league_id
WHERE p.position<>1 AND b.year>=2014 AND b.ab>200
ORDER BY sorted
LIMIT 30;

I am much more comfortable with this result set:

77% were within range and 3 of the 5 that were medium were within 3 points of being good.  The two bad ones were really bad, though.  I will take a look at those particular seasons to see if I can find any stats that are out of normal range.  My thought is that somehow I am weighting a less-common stat (such as hit by pitch) incorrectly.  For a normal season, if HBP is weighted wrong but only occurs 5 times in 600 plate appearances, no big deal.  But if a guy got plunked 50 times or something, it could really throw off the calculation.  That’s my working theory going in at least.  If I find something weird, I will report back.  Otherwise, I’m going to move on.

Batting Stats 5: wOBA

Here it is- wOBA.  I’ve been building up to this for a while and I’m excited to get going.  For the full details on wOBA, check out Fangraphs‘ page.  The short version is that wOBA takes On Base Percentage and weights each of the components based on the run expectancy for each of the component events in each league year.  It’s a very good measure of the offensive contribution of a player in a specific league setting.  It does not normalize the data across years and ballparks – we will get to some stats that do that later on.  But it does acknowledge that a double is worth more than a walk – and it quantifies how much more.

The formula takes the woba weights that we calculated in Run Table 2 and multiplies them by the number of walks, singles, doubles, etc. that a player accumulated during a season:

, round((r.wobaBB*b.bb + r.wobaHB*b.hp + r.woba1B*(b.h-b.d-b.t-b.hr) +
       r.woba2B*b.d + r.woba3B*b.t + r.wobaHR*b.hr)
       /(b.ab+b.bb-b.ibb+b.sf+b.hp),3) as woba

I’ve already plugged this formula into the table and I’m getting results.  Before I start comparing my results to the game and pulling my hair out, I am going to establish success criteria.  I mentioned in the Run Environment posts that our formulae contain constants that I don’t fully understand.  Moreover, I don’t know if the game uses the same constants.  So, to expect a perfect match between my database and the game may be unreasonable.

Let’s think about what a reasonable margin of difference would be.  Any difference less than 5 points is negligible.  I can’t really make a distinction between two players with wOBAs of .320 and .325.  They’re essentially equal.  Can I say the same thing about 20 points?  No.  There’s clearly a difference between .320 and .340.  What about 10?  Iffy.  If I want to give myself as much wiggle room as possible without losing faith in my metrics, I can’t go higher than 10.  Let’s set 10 as the absolute limit and see what we get.   I am going to take a sample of 35 player years and see how close I get:

So, that’s 21 where the difference is less than 10 points.  7 where the difference is between 10 and 20 points, and 7 where the difference is greater than 20.  Not perfect – 40% outside of the range I set for myself.  However, still better than I feared, and actually better than it looks.  For example, Dan Wasielewski’s 2012 season is off by 20 points.  But that 2012 season only had 6 plate appearances.  I am totally OK having wacky numbers for very small sample sizes.  The greatest difference (.029), similarly came from a season with barely over 100 plate appearances.

Without digging in to how to determine my own constants and without being able to pick Markus’s or Matt’s brains on how they derive these formulae, I think I’m pretty OK with my stats.  Until I decide to relentlessly pursue perfection, that is…

Batting Stats 4: BABIP

We’ll look at one last easy stat before the hard stuff.

BABIP is a very interesting stat because it acts as a kind of sanity check on all of the other stats a player produces.  It shows Batting Average on Balls in Play and average in most professional leagues is around .300.  A player with a career average well above that generally hits the ball hard.  A player with a career BABIP well below that mark often makes weak contact.  That’s an OK measure in itself, but it serves a much better purpose. If, during the course of a season, a player is putting up exceptional numbers, checking his BABIP against his career average will give you a sense of whether he’s getting lucky and likely to regress or if he’s turned a corner and upped his game.

The formula for BABIP is pretty straightforward:
(H - HR) / (AB - K - HR + SF)

The whole Megillah up to this point, then, is:

#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , b.r 
    , b.h
    , b.d
    , b.t
    , b.hr
    , b.rbi
    , b.sb
    , b.cs
    , b.bb
    , b.k
    , b.ibb
    , b.hp
    , b.sh
    , b.sf
    , b.gdp
    , b.ci
    , @BA := round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as OBPplus
    , @SLG := round((b.h+b.d+2*b.t+3*b.hr)/b.ab,3) as slg
    , round(@OBP+@SLG,3) as ops
    , round(@SLG-@BA,3) as iso
    , round((b.h-b.hr)/(b.ab-b.k-b.hr+b.sf),3) as babip
    /* NOT yet modified for OOTP and MySQL
    , round((r.wobaBB*nz(b.bb,0) + r.wobahb*nz(b.hbp,0) + r.woba1b*(b.h-b.[2b]-b.[3b]-b.hr) + r.woba2b*b.[2b] + r.woba3b*b.[3b] + r.wobahr*b.hr)/(b.ab+nz(b.bb,0)-nz(b.ibb,0)+nz(b.sf,0)+nz(b.hbp,0)),3) as woba
    , round((([woba]-r.lgwoba)/r.wobascale)*[PA],1) as wRAA
    , round(((([woba]-r.lgwoba)/r.wobascale)+(l.totr/l.totpa))*[PA],0) as wRC
    , ((([wRAA]/[PA] + l.RperPA) + (l.RperPA - t.bpf*l.RperPA))/(lb.wRC/lb.PA))*100 AS [wRC+]
    */
    FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year

 

Batting Stats 3: SLG, OPS, and ISO

A short post for three pretty straightforward rate stats: Slugging Percentage, On Base Plus Slugging, and Isolated Power.

All three are measures of a batter’s hitting for power.  Keeping with my tradition here of not explaining things that I understand, I will get straight to the point.  Seeking to keep things simple and readable, and wanting to show off my mad variable skills, I set them all as variables, including batting average.  The result is:

DROP TABLE IF EXISTS CalcBatting;
CREATE TABLE IF NOT EXISTS CalcBatting AS

   SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , @BA := round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as OBPplus
    , @SLG := round((b.h+b.d+2*b.t+3*b.hr)/b.ab,3) as slg
    , round(@OBP+@SLG,3) as ops
    , round(@SLG-@BA,3) as iso
FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year

Continue reading “Batting Stats 3: SLG, OPS, and ISO”

Batting Stats 2: Correction

I’ve been shown the light!  Matt Arnold, friendly neighborhood OOTP dev, reminded me that the calculation for OBP isn’t quite what I had remembered.  In fact, the denominator isn’t Plate Appearances.  Rather, it’s PA minus Sacrifice Hits minus Catcher Interference.  Having made that correction, OBP now ties with the game.  Our new code is:

#Calculated batting stats for OOTP
    DROP TABLE IF EXISTS CalcBatting;
    CREATE TABLE IF NOT EXISTS CalcBatting AS

    SELECT b.year
    , b.league_id
    , b.player_id
    , b.stint #We can eventually move this down the list
    , b.split_id #We can eventually remove
    , b.team_id #We can eventually move this down the list
    , l.abbr as Lg
    , t.abbr as Team
    , b.g
    , b.ab
    , @PA := b.ab+b.bb+b.sh+b.sf+b.hp AS PA
    , b.r 
    , b.h
    , b.d
    , b.t
    , b.hr
    , b.rbi
    , b.sb
    , b.cs
    , b.bb
    , b.k
    , b.ibb
    , b.hp
    , b.sh
    , b.sf
    , b.gdp
    , b.ci
    , round(b.h/b.ab,3) AS ba
    , round(b.k/@PA,3) as krate
    , round((b.bb)/@PA,3) as bbrate
    , @OBP := round((b.h + b.bb + b.hp)/(@PA-b.sh-b.ci),3) AS obp
    , round(100*(@OBP/r.woba),0) as 'OBP+'
    /* NOT YET CONVERTED TO OOTP AND MYSQL
    , round((b.h+[b.2b]+2*b.[3b]+3*b.hr)/b.ab,3) as slg
    , [obp]+[slg] as ops
    , [slg]-[avg] as iso
    , round((r.wobaBB*nz(b.bb,0) + r.wobahb*nz(b.hbp,0) + r.woba1b*(b.h-b.[2b]-b.[3b]-b.hr) + r.woba2b*b.[2b] + r.woba3b*b.[3b] + r.wobahr*b.hr)/(b.ab+nz(b.bb,0)-nz(b.ibb,0)+nz(b.sf,0)+nz(b.hbp,0)),3) as woba
    , round((([woba]-r.lgwoba)/r.wobascale)*[PA],1) as wRAA
    , round(((([woba]-r.lgwoba)/r.wobascale)+(l.totr/l.totpa))*[PA],0) as wRC
    , ((([wRAA]/[PA] + l.RperPA) + (l.RperPA - t.bpf*l.RperPA))/(lb.wRC/lb.PA))*100 AS [wRC+]
    */
    FROM 
      players_career_batting_stats b 
      INNER JOIN leagues l ON b.league_id=l.league_id 
      INNER JOIN teams t ON b.team_id=t.team_id
      INNER JOIN tblRunValues2 r ON b.year=r.year AND b.league_id=r.league_id
    WHERE b.ab<>0 AND b.split_id=1
    ORDER BY b.player_id, b.year