Exceptions: What happens when an exception occurs inside a catch or inside a when (C# 6) & how smart is the compiler with whens which have a constant expressions or whens with duplicate expressions?
Want to learn about other C# 6 features? Check out the full list of articles & source code on GitHub
Exceptions, the bit of code that makes everything break! Here are some interesting thoughts around how exceptions work, which were brought up during a recent presentation I gave on C# 6.
Note: Based on VS 2015 CTP 6, this may change by RTM.
Exceptions in a catch block
Starting off, let us look at what happens if you raise an exception in the catch block of a try…catch? This isn’t anything new to C# 6, but it is worth a recap.
public static void OldPain() { try { throw new MyException { Id = 200 }; } catch (MyException ex) { throw new Exception("WHAT"); } }In this scenario, the first exception (MyException) is caught and then the second exception is raised. Since there is no try…catch for the second exception, it runs normally and bubbled up until it is either caught higher up or the app crashes. In this example that means an exception of type Exception will be raised.
What if we add a catch all?
As a slight variation, what happens if you add another catch below the first one? Does the second catch, catch the exception raised in the first catch block? For example:
public static void OldPain() { try { throw new MyException { Id = 200 }; } catch (MyException ex) { throw new Exception("WHAT"); } catch (Exception ex) { // stuff } }
Nope, not at all. It exits the entire try…catch scope and, so that second catch does nothing for what we are testing. In the example above, that means an exception of type Exception will be raised, same as with the first scenario.
Exceptions in When
C# 6 adds the when keyword which allows us to add a filter to our catch blocks. This feature is called Exception Filters & you may find articles using IF as the keyword, but that has changed to WHEN. Prior to C# 6, the condition to run a catch block was just the exception type. Now with C# 6, it is the exception type and, optionally, the result of the when expression. So what happens if the when expression raises an exception? For example:
public static bool Test() { throw new Exception("WHAT!"); } public static void OldPain() { try { throw new MyException { Id = 200 }; } catch (MyException ex) when (Test()) { } }
I assumed it would work in a similar way to the exceptions inside the catch block we looked at above. I was wrong. Any exception in the when condition is swallowed up! In this example, the MyException will be raised since there is no catch block which can handle it as the when has failed due to the exception being raised in test.
What if we add a catch all?
As with the first example, does adding a second catch…block here change the behaviour?
public static bool Test() { throw new ApplicationException("WHAT!"); } public static void OldPain() { try { throw new MyException { Id = 200 }; } catch (MyException ex) when (Test()) { } catch (ApplicationException ex) { // will this be run? } }
No, this scenario runs the same as before, a MyException is raised.
Constant Whens
What happens if the when expression is a constant? Is the compiler smart enough to optimise the code? To work this out I used the AMAZING .NET Reflector which means I can compare the original code, the IL which was generated and the code which was reflected back from the IL.
Starting off with the standard filter, here is what it looks like across places. I suspect the reflected code is showing ? since the version of reflector out currently doesn’t support this.
Let us change the condition to be always true. Thankfully Visual Studio will detect this and warn you:
But what is the result of compiler?
It is pretty much the exact same there, with the filter existing in the IL still :/ Checking with false (and also release builds) shows no difference in any scenario :/
Duplicate whens
The last set of scenarios are around for duplicate when clauses, for example below we have two catch blocks which are the same and I know from running this that only the first one is executed.
public static void OldPain() { try { throw new MyException { Id = 200 }; } catch (MyException ex) when (ex.Id == 200) { } catch (MyException ex) when (ex.Id == 200) { } }
And from checking the generated IL, both catches are in there too. So no optimisation around this.
As a final mad scientist idea, what if the first catch changes the condition to one the second catch can handle? Will that allow both to run? For example:
public static void OldPain() { var canCatch = true; try { throw new MyException { Id = 200 }; } catch (MyException ex) when (canCatch) { canCatch = false; } catch (MyException ex) when (!canCatch) { } }
The answer, is nope. Once one catch handles it the rest are ignored.
I hope you find this new syntax interesting and if you have any questions, please post them in the comments!
Index Initialisers (C# 6)
Want to learn about other C# 6 features? Check out the full list of articles & source code on GitHub
C# 6 adds in a new feature which is called Dictionary Initialisers or Index Initialisers, because of how they work internally. In fact, the C# team can’t get it straight with roadmap page referring to dictionary while the feature description document, referring to index. While we wait for the name to be decided, what is an index initialiser and how does it work internally?
Note: This is based on VS 2015 CTP 6 and thus may change.
Adding to collections in C# 2
In C# 2 the only way we could add to a collection was with the methods provided by the collection, normally add. For example, below we are adding to a dictionary and an list using the C# 2 way.
public static void CSharp_Two_Dictionary() { var config = new Dictionary<int, string>(); config.Add(1, "hi"); config.Add(2, "how are you"); config.Add(3, "i am fine"); config.Add(4, "good bye"); foreach (var item in config) { Console.WriteLine("{0} = {1}", item.Key, item.Value); } } public static void CSharp_Two_List() { var config = new List<string>(); config.Add("hi"); config.Add("how are you"); config.Add("i am fine"); config.Add("good bye"); foreach (var item in config) { Console.WriteLine(item); } }
Collection Initialisers in C# 3
C# 3 added support for collection initialisers, where we can use braces to add the items. When using collection initialisers, the parentheses for the constructor become optional - for the example below I have omitted them.
This is just syntactic sugar, i.e. the compiler is rewriting this to use the Add method of the collection. In short it ends up the same as the example above when it is run - it is just easier and less error prone to type using collection initialisers.
The requirements collection initialisers to work are::
- The collection class must implement IEnumerable.
- The collection class must have an add method. Almost uniquely for .NET there is no interface required, it is merely the name of the method and that it must take, at least, one parameter.
public static void CSharp_Three_Dictionary() { var config = new Dictionary<int, string> { { 1, "hi" }, { 2, "how are you" }, { 3, "i am fine" }, { 4, "good bye" }, }; foreach (var item in config) { Console.WriteLine("{0} = {1}", item.Key, item.Value); } } public static void CSharp_Three_List() { var config = new List<string> { "hi", "how are you", "i am fine", "good bye", }; foreach (var item in config) { Console.WriteLine(item); } }
Index Initialisers in C# 6
C# 6 adds a new syntax option to add items to collections, where we can add items to collections in a slightly different way:
public static void CSharp_Six_Dictionary() { var config = new Dictionary<int, string> { [1] = "hi", [2] = "how are you", [3] = "i am fine", [4] = "good bye", }; foreach (var item in config) { Console.WriteLine("{0} = {1}", item.Key, item.Value); } } public static void CSharp_Six_List() { // note: this will error var config = new List<string> { [1] = "hi", [2] = "how are you", [3] = "i am fine", [4] = "good bye", }; foreach (var item in config) { Console.WriteLine(item); } }
In the above example you’ll note that we use similar syntax to the collection initialiser (use of brace, optional use of constructor parenthesis) but the way we add items is different. We use brackets to define the index, followed by equals and the value. Internally this is different to collection initialisers since the generated code does NOT use the add method, rather it uses the collections indexer. For example, this is what the generated code the above index initialiser example would look like:
public static void CSharp_Six_Dictionary_Generated() { var config = new Dictionary<int, string>(); config[1] = "hi"; config[2] = "how are you"; config[3] = "i am fine"; config[4] = "good bye"; foreach (var item in config) { Console.WriteLine("{0} = {1}", item.Key, item.Value); } } public static void CSharp_Six_List_Generated() { // note: this will error var config = new List<string>(); config[1] = "hi"; config[2] = "how are you"; config[3] = "i am fine"; config[4] = "good bye"; foreach (var item in config) { Console.WriteLine(item); } }
Since the compiler is generating code with indexers, the ONLY requirement for the class being added is that the class it must have an indexer and the indexer has which has a setter method. This means it can be used on anything which supports indexers. There is NO requirement that this can only be used with collections or things which support IEnumerable.
In the above example the List example will fail and the Dictionary will pass because of the subtle differences in how their indexers work. A dictionary uses the setter on the indexer as the key and will add the item if needed, while a list uses the setter on its indexer as a position and if the list doesn’t have a collection with that size it will fail with an exception.
Example non-collection usage
As mentioned this can be used outside a collection, so let us build a bit of code to assign the four roles to a team.
NOTE: This is an example, it is not meant as guidance for how you should do it. Personally, I think the end example is better handled by a constructor.
In C# 2 we may have done it like this:
public static void C_Sharp_Two_Set_Members() { // code to add team members var team = new Team(); team.ScrumMaster = new Member("Jim"); team.ProjectOwner = new Member("Sam"); team.DevLead = new Member("Phil"); team.Dev = new Member("Scott"); } // we will exclude role from future examples since it doesn't change in the other examples enum Role { ScrumMaster, ProjectOwner, DevLead, Dev } class Team { public Member ScrumMaster { get; set; } public Member ProjectOwner { get; set; } public Member DevLead { get; set; } public Member Dev { get; set; } }
// we will exclude member from future examples since it doesn’t change in the other examples class Member { public Member(string name) { Name = name; } public string Name { get; } }
With C# 3 we could change this to use an object initialiser, which ultimately generates the exact same code as in C# 2:
// rest of example code remains the same public static void C_Sharp_Three_Object_Initialiser() { var team = new Team { ScrumMaster = new Member("Jim"), ProjectOwner = new Member("Sam"), DevLead = new Member("Phil"), Dev = new Member("Scott"), }; }
The one requirement for both examples is that the properties have accessible setter methods, or it will not work, so we cannot use either option with private setters for example. We could use an indexer in this scenario by adding it to the Team class and then being able to use Index initialiser syntax to assign the roles.
public static void C_Sharp_Six_Index_Initialiser() { var team = new Team { [Role.ScrumMaster] = new Member("Jim"), [Role.ProjectOwner] = new Member("Sam"), [Role.DevLead] = new Member("Phil"), [Role.Dev] = new Member("Scott"), }; } class Team { public Member this[Role role] { get { switch (role) { case Role.ScrumMaster: return this.ScrumMaster; case Role.ProjectOwner: return this.ProjectOwner; case Role.DevLead: return this.DevLead; case Role.Dev: return this.Dev; } throw new IndexOutOfRangeException(); } set { switch (role) { case Role.ScrumMaster: { this.ScrumMaster = value; break; } case Role.ProjectOwner: { this.ProjectOwner = value; break; } case Role.DevLead: { this.DevLead = value; break; } case Role.Dev: { this.Dev = value; break; } } } } public Member ScrumMaster { get; private set; } public Member ProjectOwner { get; private set; } public Member DevLead { get; private set; } public Member Dev { get; private set; } }
Hopefully this explains the new syntax in C# 6 and gives you good ideas on where and how it works. If you have any ideas of how Index Initialisers could be used, let me know in the comments below!
We need your help!
The Developer User Group is running it’s annual survey. It is short and will help us a lot with regards to planning and ensuring we provide you with the best experience. PLEASE give us 3 min of your time to complete it: http://bit.ly/dugSurvey2015
Slides from my DevDay (March 2015) talks!
First off, let me thank everyone who attended – this was one of the best events I’ve been involved in and that is all down to the great audiences we had. Not only was it fun and exciting but I learnt so much from all of you around the various pieces of technology you use and frustrations of it.
Sharp Sharp with C# 6
This is one of my favourite talks I’ve ever given. I don’t think I have ever laughed as much on stage as I did with this talk.
You can find the starting code for this on GitHub
Putting the “DOT” into .NET – Dev, Ops & Test
For Johannesburg audiences, this will look a lot different. I got so much amazing feedback & ideas that I did a lot of work on polishing and structuring it better and I am very proud of the final outcome. It still is a long talk which covers a lot (too much maybe) but it is one that I think stimulates a lot of ideas & nudges people on a very important path.
CSS Media Queries + Visual Studio = Easy
CSS media queries used to scare me. The problem is that I know CSS, but media queries look so much more complex & having to rely on browser tools to help get them correct was never a great experience. Thankfully Visual Studio + Web Essentials has made great strides in making using media queries easier to use, so much so that now that I think they are kinda boring and I need a new thing to scare me… like closure
Snippets
Web Essentials has snippets for CSS media queries, and these are a great help. First there is the @media snippet which will get you setup with a basic media query. The real power though is in the device specific ones that produce a the right set of CSS & takes a lot of the searching for the right settings away.
Browser Link
I have demo’d browser link many times & written about it before – it is awesome. It gives ANY browser the ability to have a two way connection with Visual Studio. That means the browser can send data to Visual Studio, useful for detecting things that only happen when you render the DOM. Browser Link + Visual Studio can also send data to the browser, for example telling the browser to refresh because the page has changed. Since it works with ANY browser, you can have multiple browsers open and work with all of them at once. Browser link isn’t an ASP.NET feature, it is a web + Visual Studio feature, so if you are using PHP or pure HTML (like I do in the video below) it just works.
For media queries, browser link can read the browser dimensions into Visual Studio, this means all you need to do is set the browser to the right size & press Ctrl+Space on the right property of the media query and it will show you the dimension the browser is at that very moment! It means that getting the exact right size of the browser window for sizing is trivial, since you can work visually in your browser and have all the power in your tools.
Check out this video for how it works!
Have you got any awesome features in Visual Studio that are kinda hidden? Share them in the comments.
The one that got away: A Windows Phone bug that can not be solved
A project I was recently working on ran up against an interesting bug and, unfortunately, it was a bug we had to ship the app with in the end. My main reason for sharing this is in the hope that should you find this same bug that you know you are not alone and maybe it gives you some ideas what you can do. Not only did we find this bug, but we have been able to confirm this happens to a number of other apps in the store.
The Issue
The app itself is an audio streaming app, except it is not real streaming, it is actually HTTP progressive downloading and playing the file as it downloads. The problem we had is that when it finished playing one file, it would not load the next file. Part of the pain for us is that this is a pretty hard scenario to identify as it has these requirements for the bug to raise it’s ugly head:
- It is related to network only. If the file was on disk already it would work every time.
- It only happens when on battery. Plug the phone in or the emulator (which is always “plugged-in”) and it won’t show the issue.
- The screen must be locked & off. Any interaction with the device causes the problem not to appear.
- If it is playing a file, it will finish that file fine. The issue only happens when we skip to the next file
- It will not raise any errors or exceptions – it just silently does not play the next file.
- This is using background audio, so it is not that the app is being suspended.
We tried everything as a team and could not solve it, so we escalated to Windows phone support. This was the first time I dealt with premier Windows phone dev support, and while they cost a lot, they know their stuff and could help out to confirm out understanding and give us some ideas to work around the problem.
Root Cause
The cause is this: when the phone is on battery and there is no interaction, the phone lowers the signal strength of the antennas. This is to save battery, but it also means that your HTTP connections could be too slow to work properly and so the audio won’t play.
Workarounds
This does not seem to happen with the Windows Phone 8.0 Silverlight apps, which have a different way of handling background audio, however moving from Universal apps to that maybe too costly (it was for us). The other option is to use real streaming and it is less impacted by this and also you can do a lot of smart server side stuff to ensure it keeps running.
Future
This happened on Windows phone 8.1 and it looks like it still happens on Windows 10 for phone. The official response is “by design”, although I think it is more a unexpected side effect of a number of design decisions; but it could change. If you think it should change, please vote on the user voice item for this so that the product team can see enough people care about resolving it.
What is in your bag?
The developers I know who refer to themselves as “craftsman” will, at length, tell you how methodology, principals & practise are all that matters to becoming a successful developer – tools are not important. Often they say that from behind a Mac Book Air, running Visual Studio with Resharper or some other combination of best of breed tooling. None of them code in notepad oddly.
Everyone really does care about their tools and I am totally behind the idea that you are more than your tools, but good tools help which is why I want to share what is in my bag and why it is there.
Daily Driver
My daily development machine is a Lenovo Thinkpad T440s – it is the best machine I’ve ever worked on. Weight? It is basically air. It handles app & web dev with no issue. Has a backlit keyboard that is turned off 95% of the time but in those rare moments of darkness, I can turn it on with a keyboard combination. Great performance overall. The touchpad is the best I’ve ever seen, and considering I think touchpads are evil, that says a lot.
One thing that really stands out is the touch screen – I can’t imagine modern development being done without one. It is essential for testing on web & apps.
Why do I carry it?
Simple – it is what I use to do my job! and it gives me a place to put stickers.
Audio Out
I carry three sets of headphones with me. My primary ones are a set of super comfy large Steel Series ones. They have a built in mic, which is serviceable but since the laptop doesn’t have an audio in jack there isn’t much use. Thankfully the mic slides into the headphones so it is never in the way. When you have headphones on for hours, comfy wins for me and these are them.
I also carry a, company supplied, Jabra headset. This has a USB connection so the audio in works plus it is designed to work with Lync – so it has a bunch of cool tricks on the control dial. Not great for comfort or quality, but for a meeting where I want to keep my hands on the keyboard it is okay.
Last is my tiny Sennheisers – these don’t get used often as they are the backup.
Both my sets have something to wrap the cables with – the big ones using the fantastic apple core which I got at JSinSA.
Why do I carry it?
You need to focus, and having music or podcasts will help. It also means less disturbance to your co-workers.
The issue with large headphones I use at home & work is I may leave them at home and then could be stuck with no audio the next day; so the small Sennheisers run as backup for me. This means they seldom leave the bag but having a small high quality backup has come in handy many times.
Audio In
I have a small Samson mic that connects via USB. The audio quality is okay. Considering it is a sub R900 ($90) mic it is pretty good for that price range and it is a million times better than the laptops built in offering. It has three nice features, first a clip/stand/base. In the picture it is standing on it’s base, which it can fold flat on to. It can also use the clip to attach to the top of the laptop screen as the mic is on a ball joint and swivel pretty much to any direction (check the link for it, they show off that really well). This stand gives it so much versatility.
Second is the switch on the side, which lets it switch from front facing only to a omni directional mic. The omni directional mic is great for the daily standups where the team & client may not be together, as it gets a lot more audio into the conversation.
Last is the cable, it is stupid long – we often pass it around during the stand ups & it handles the length of our boardroom table with ease.
Why do I carry it?
Meetings; be they a stand up or more formal meeting, having something to capture audio is an essential for a modern developer.
Storage
Nothing too fancy here. A large Seagate, mostly for backups. I also have a tiny plastic box which contains a LOT of USB sticks. Since I switched to carrying the USB sticks in a box, I lose less of them so now I have an issue of having too many… if that could ever happen.
Why do I carry it?
You will lose data. Have backups. Simple as that.
The USB sticks are great for sharing stuff & if they break or get lost there is no issue.
Mouse
I’ve written about my mouse before, (and it is the exact same mouse still - it is 6 years old now) and I stand by that – the Logitech Performance Mouse MX is the best mouse you can get & you owe it to your hands to be happy.
Why do I carry it?
Touch pad and touch screen do not beat the performance a real mouse will bring.
Bags
My laptop bag is a Targus (it isn’t exactly that bag, but it is close). The bag isn’t anything special but Targus as a company is. With my last Targus bag, the zip broke (from squeezing too much in) and all they wanted to ship me a new bag for free was a photo and the service tag removed. They believe their bags will last and they are prepared to back it up that belief. That one interaction has made me a very loyal customer.
I also have some smaller bags worth mentioning:
- First is a Targus hard drive bag, nice and padded. It fits the hard drive, its USB cable and my small headphones easily.
- Second is the hard shell case which the Samson mic came with. It is great but had no space for the cable (which is a stupid oversight). Thankfully my last Samson mic came with a bag, so the cable and mic/shell go in that bag now.
- Last is my, SUPER DIRTY, organiser. It has three pouches and lets me easily store my laptop charger and mouse in a easy to find bag (I can pull it out my laptop without looking). It also doubles as a handy mouse pad which is why it is so filthy.
Why do I carry it?
Ignoring the laptop bag & its obvious use. The hard drive bag & mic bag keeps the devices safe – especially since they are carried to and from the office daily & then on many trips. The organiser is just brilliant, I cannot imagine not having it. Being able to be setup quickly because I am not digging in my bag looking for my power cable is great.
Writing
To take notes, I use a Lego Moleskin – it is awesome, best paper I’ve ever seen. I carry a few pens with me & of course a few whiteboard markers.
Why do I carry it?
I take a lot of notes, every single meeting. I seldom read them. The reason to take them is two fold, first it helps me remember as I am combining listening & an action which helps my brain reinforce the ideas a lot better than merely listening (doing is better than consuming). Second it gives me confidence that, if something is forgotten, I can find it.
Always carry your own whiteboard markers, since meeting rooms are often missing them.
Odds and Ends
I carry a few odd things in the bag too. First is a couple of microfiber clothes and a deck of planning poker cards. I also carry a mifi device & a USB graphics card. The USB graphics card let’s me output to USB and has connectors for a few different types of screens. Lastly is some battery packs.
Why do I carry it?
The microfiber clothes is for one reason: Touch Screen.
The reason to carry planning poker cards is because we use them all the time in my teams. I have enough for 6 or 7 people with me so it handles a team well.
The mifi is legacy, before my phone had a wifi hotspot, the mifi it did that job. It is still useful to create a small wifi network for working with others if the main network fails.
The USB graphics card is to handle scenarios where projectors refuse to work with my laptop or if I need another output (for example, video recording on one, projector on the other output).
Battery packs because of Eskom.
Power strip
The best thing I’ve put in my bag in the last 12 months is a power strip.
Why do I carry it?
Plugs can often be at a premium and this covers me & two more people, plus it has space for two prong plugs like cellphone chargers. It also means that when I travel overseas, I buy one plug converter and then slap this into that and everything is so each to setup – no more plugging my cellphone into my laptop to charge. It is so useful, I wonder why I didn’t carry one before.
What’s Missing?
What is missing in my bag? At the moment I think there are a few items missing:
- Network cable: I think a good quality network cable is worth having. I am tired of either missing cables or cables where the clip is damaged.
- A stylus: Drawing is more important than ever for a developer, and I think some sort of good stylist would help improve it.
That is what is my bag? Is there anything you think I am missing? Let me know in the comments!
Events you should attend
What’s New Roadshow
Starting next week the What’s New Roadshow (or as it is officially called, Dev Day) will be happening in Johannesburg (already sold out), Durban & Cape Town. This should be a great fun event, where we will be covering some interesting concepts in the land of .NET which don’t get enough time, for example Machine Learning. We will also be looking forward with VS 2015 and C# 6 coverage! I will be tackling the C# 6 content (which has already wowed the internal teams) & also covering DevOps. The events are free but you need to register so catering & seating can be taken care of!
Developer User Group
Also next week, is the monthly developer user group meeting, and it looks fantastic! Each month, on the second Tuesday of the month, the DevUG meets from 16h30 to 18h00 to learn & share. Next week we will have topics ranging from Flying Quadcopters with Node & learning Go!
Any events you attend or want me to share? Send them over in the comments!
Xbox Live Gold? Don't forget this trick to get free games!
Each month Xbox gifts their Xbox Live Gold members a number of free games. Something remember is that you get ALL the games, regardless of the console you own! That means, if you only have a Xbox 360 you still get the Xbox One game; so when you do get a Xbox One console you will have a LOT of free games already. To get your game, you need to go to the marketplace on the Xbox website to “purchase” your free game.
That’s it! What is your favourite Xbox game? Let us know in the comments!
I dropped a large binary object in Git ... now what?
or how do I remove a file from Git, including the history. This came out of a discussion with some ALM Rangers (in fact the title was from Willy-Peter himself!) and I thought it is too good not to share. In addition I’ve added some other information I learnt since then!
Before you start
Make a copy of your git repo before you start! We are going to mess with your repo, so if you have a backup and something goes wrong you can just rollback.
Revert
If you have ever made a mistake on a computer, you know it the moment you finger lifts off the enter key. So you may just want to undo that last commit quickly and use the revert command in git, which appears to remove it, but the problem is that remains in the history. So this means that everyone needs to get it when the clone or pull the repo.
Amend
If the very last commit added the offending file and you NOT pushed your repo yet there is a simple process to solve it. First delete the file. Then run another commit with the --a and --amend switches.
- --a tells git to automatically stage all modified & delete files.
- --amend tells git to rewrite the last commit.
- if the only thing was that file, then you may need to add a --allow-empty switch to tell git to accept a commit with nothing in it.
For example, if I want to remove the password.txt file.
del password.txt
git commit --a --amend
Rebase
What if it isn’t the last commit, but a few back. Once again if you have not pushed your repo an option would be to rewrite history (you may want to look at that link, it goes in DEEP detail on what rewriting history means). Step one is to kick off a rebase and in the editor go to the commit with the issue and change it from a pick to an edit, for example:
git rebase -i origin/master
(in the picture above, I am going to remove the file added in commit 47f73e6)
You will then be dropped back to the command prompt, and you can step through the commits you set to edit. You can make the changes (either edit the file or delete it) and then use the same amend as before. Once you have finished that you step the rebase forward by doing rebase --continue.
For example:
del password.txt
git commit --a --amend
git rebase --continue
Filter-Branch
What if you have pushed? Or perhaps you need something more? Git includes a solution for this, called filter-branch which was totally unknown to me before this discussion. Filter-branch is not only useful to remove files but you could also change the details of a number of commits (for example: updating your email associated with your commits).
Lets get rid of the file, for example password.txt
git filter-branch --tree-filter "rm -f password.txt" HEAD
Note – on Windows you will use double quotes (“) like above, but on Linux it would be a single quote (‘). Once done you need to push to git, but you will need to use --force and --all switches to do it.
git push --force --all
Your next issue is that all your team members still have the file (if they already have pulled), so they need to clean up to. The way they do this is to run rebase but using the onto switch this time. For example:
git rebase --onto origin/master master
Those members who haven’t pulled since that file got into the repo, can pull as normal and do not need to worry about this.
BFG
There is also a stand alone tool called BFG Repo Cleaner. There is a nice set of documentation for it and it is blindingly fast! One nice thing is you can say remove all files above a certain size or or x number of the largest files.
GC
One thing to do once you have done all of this, is run a garbage collection by using the gc command, which may return disk space from orphaned files. To do this run:
git gc – --auto
That’s it! Have you ever messed up a file (I have, I committed my Azure password once in a file!)? Share what happened and how you fixed it!