What's the correct way to communicate between controllers in AngularJS?
I'm currently using a horrible fudge involving 'window':
function StockSubgroupCtrl($scope, $http) {
    $scope.subgroups = [];
    $scope.handleSubgroupsLoaded = function(data, status) {
        $scope.subgroups = data;
    }
    $scope.fetch = function(prod_grp) {
        $http.get('/api/stock/groups/' + prod_grp + '/subgroups/').success($scope.handleSubgroupsLoaded);
    }
    window.fetchStockSubgroups = $scope.fetch;
}
function StockGroupCtrl($scope, $http) {
    ...
    $scope.select = function(prod_grp) {
        $scope.selectedGroup = prod_grp;
        window.fetchStockSubgroups(prod_grp);
    }
}
 
				
				Edit: The issue addressed in this answer have been resolved in recent versions of angular.js $broadcast now avoids bubbling over unregistered scopes and runs just as fast as $emit.

Original Answer Below
I highly advise not to use $rootScope.$broadcast + $scope.$on but rather $rootScope.$emit+ $rootScope.$on. The former can cause serious performance problems as raised by @numan. That is because the event will bubble down through all scopes. 
However, the latter (using $rootScope.$emit + $rootScope.$on) does not suffer from this and can therefore be used as a fast communication channel!
From the angular documentation of $emit:
Dispatches an event name upwards through the scope hierarchy notifying the registered
Since there is no scope above $rootScope, there is no bubbling happening. It is totally safe to use $rootScope.$emit()/ $rootScope.$on() as an EventBus.
However, there is one gotcha when using it from within Controllers. If you directly bind to $rootScope.$on() from within a controller, you'll have to clean up the binding yourself when  your local $scope gets destroyed. This is because controllers (in contrast to services) can get instantiated multiple times over the lifetime of an application which would result into bindings summing up eventually creating memory leaks all over the place :)
To unregister, just listen on your $scope's $destroy event and then call the function that was returned by $rootScope.$on.
angular
    .module('MyApp')
    .controller('MyController', ['$scope', '$rootScope', function MyController($scope, $rootScope) {
            var unbind = $rootScope.$on('someComponent.someCrazyEvent', function(){
                console.log('foo');
            });
            $scope.$on('$destroy', unbind);
        }
    ]);
I would say, that's not really an angular specific thing as it applies to other EventBus implementations as well, that you have to clean up resources.
However, you can make your life easier for those cases. For instance, you could monkey patch $rootScope and give it a $onRootScope that subscribes to events emitted on the $rootScope but also directly cleans up the handler when the local $scope gets destroyed.
The cleanest way to monkey patch the $rootScope to provide such $onRootScope method would be through a decorator (a run block will probably do it just fine as well but pssst, don't tell anybody)
To make sure the $onRootScope property doesn't show up unexpected when enumerating over $scope we use Object.defineProperty() and set enumerable to false. Keep in mind that you might need an ES5 shim.
angular
    .module('MyApp')
    .config(['$provide', function($provide){
        $provide.decorator('$rootScope', ['$delegate', function($delegate){
            Object.defineProperty($delegate.constructor.prototype, '$onRootScope', {
                value: function(name, listener){
                    var unsubscribe = $delegate.$on(name, listener);
                    this.$on('$destroy', unsubscribe);
                    return unsubscribe;
                },
                enumerable: false
            });
            return $delegate;
        }]);
    }]);
With this method in place the controller code from above can be simplified to:
angular
    .module('MyApp')
    .controller('MyController', ['$scope', function MyController($scope) {
            $scope.$onRootScope('someComponent.someCrazyEvent', function(){
                console.log('foo');
            });
        }
    ]);
So as a final outcome of all this I highly advise you to use $rootScope.$emit + $scope.$onRootScope.
Btw, I'm trying to convince the angular team to address the problem within angular core. There's a discussion going on here: https://github.com/angular/angular.js/issues/4574
Here is a jsperf that shows how much of a perf impact $broadcastbrings to the table in a decent scenario with just 100 $scope's.
http://jsperf.com/rootscope-emit-vs-rootscope-broadcast

Using $rootScope.$broadcast and $scope.$on for a PubSub communication.
Also, see this post: AngularJS – Communicating Between Controllers
Since defineProperty has browser compatibility issue, I think we can think about using a service.
angular.module('myservice', [], function($provide) {
    $provide.factory('msgBus', ['$rootScope', function($rootScope) {
        var msgBus = {};
        msgBus.emitMsg = function(msg) {
        $rootScope.$emit(msg);
        };
        msgBus.onMsg = function(msg, scope, func) {
            var unbind = $rootScope.$on(msg, func);
            scope.$on('$destroy', unbind);
        };
        return msgBus;
    }]);
});
and use it in controller like this:
controller 1
function($scope, msgBus) {
    $scope.sendmsg = function() {
        msgBus.emitMsg('somemsg')
    }
}
controller 2
function($scope, msgBus) {
    msgBus.onMsg('somemsg', $scope, function() {
        // your logic
    });
}
The top answer here was a work around from an Angular problem which no longer exists (at least in versions >1.2.16 and "probably earlier") as @zumalifeguard has mentioned. But I'm left reading all these answers without an actual solution.
It seems to me that the answer now should be
$broadcast from the $rootScope$on from the local $scope that needs to know about the eventSo to publish
// EXAMPLE PUBLISHER
angular.module('test').controller('CtrlPublish', ['$rootScope', '$scope',
function ($rootScope, $scope) {
  $rootScope.$broadcast('topic', 'message');
}]);
And subscribe
// EXAMPLE SUBSCRIBER
angular.module('test').controller('ctrlSubscribe', ['$scope',
function ($scope) {
  $scope.$on('topic', function (event, arg) { 
    $scope.receiver = 'got your ' + arg;
  });
}]);
Plunkers
Controller As syntaxIf you register the listener on the local $scope, it will be destroyed automatically by $destroy itself when the associated controller is removed. 
GridLinked posted a PubSub solution which seems to be designed pretty well. The service can be found, here.
Also a diagram of their service:

Actually using emit and broadcast is inefficient because the event bubbles up and down the scope hierarchy which can easily degrade into performance bottlement for a complex application.
I would suggest to use a service. Here is how I recently implemented it in one of my projects - https://gist.github.com/3384419.
Basic idea - register a pubsub/event bus as a service. Then inject that eventbus where ever you need to subscribe or publish events/topics.
Regarding the original code - it appears you want to share data between scopes. To share either Data or State between $scope the docs suggest using a service:
Here's the quick and dirty way.
// Add $injector as a parameter for your controller
function myAngularController($scope,$injector){
    $scope.sendorders = function(){
       // now you can use $injector to get the 
       // handle of $rootScope and broadcast to all
       $injector.get('$rootScope').$broadcast('sinkallships');
    };
}
Here is an example function to add within any of the sibling controllers:
$scope.$on('sinkallships', function() {
    alert('Sink that ship!');                       
});
and of course here's your HTML:
<button ngclick="sendorders()">Sink Enemy Ships</button>
Using get and set methods within a service you can passing messages between controllers very easily.
var myApp = angular.module("myApp",[]);
myApp.factory('myFactoryService',function(){
    var data="";
    return{
        setData:function(str){
            data = str;
        },
        getData:function(){
            return data;
        }
    }
})
myApp.controller('FirstController',function($scope,myFactoryService){
    myFactoryService.setData("Im am set in first controller");
});
myApp.controller('SecondController',function($scope,myFactoryService){
    $scope.rslt = myFactoryService.getData();
});
in HTML HTML you can check like this
<div ng-controller='FirstController'>  
</div>
<div ng-controller='SecondController'>
    {{rslt}}
</div>
I've actually started using Postal.js as a message bus between controllers.
There are lots of benefits to it as a message bus such as AMQP style bindings, the way postal can integrate w/ iFrames and web sockets, and many more things.
I used a decorator to get Postal set up on $scope.$bus...
angular.module('MyApp')  
.config(function ($provide) {
    $provide.decorator('$rootScope', ['$delegate', function ($delegate) {
        Object.defineProperty($delegate.constructor.prototype, '$bus', {
            get: function() {
                var self = this;
                return {
                    subscribe: function() {
                        var sub = postal.subscribe.apply(postal, arguments);
                        self.$on('$destroy',
                        function() {
                            sub.unsubscribe();
                        });
                    },
                    channel: postal.channel,
                    publish: postal.publish
                };
            },
            enumerable: false
        });
        return $delegate;
    }]);
});
Here's a link to a blog post on the topic...
http://jonathancreamer.com/an-angular-event-bus-with-postal-js/
This is how I do it with Factory / Services and simple dependency injection (DI).
myApp = angular.module('myApp', [])
# PeopleService holds the "data".
angular.module('myApp').factory 'PeopleService', ()->
  [
    {name: "Jack"}
  ]
# Controller where PeopleService is injected
angular.module('myApp').controller 'PersonFormCtrl', ['$scope','PeopleService', ($scope, PeopleService)->
  $scope.people = PeopleService
  $scope.person = {} 
  $scope.add = (person)->
    # Simply push some data to service
    PeopleService.push angular.copy(person)
]
# ... and again consume it in another controller somewhere...
angular.module('myApp').controller 'PeopleListCtrl', ['$scope','PeopleService', ($scope, PeopleService)->
  $scope.people = PeopleService
]
You should use the Service , because $rootscope is access from whole Application , and it increases the load , or youc use the rootparams if your data is not more
I will create a service and use notification.
As at any point Notification Service is singleton it should be able to provide persisted data across.
Hope this helps
I wrote a blog post showing how I've been sending messages with Angular here - http://www.tysoncadenhead.com/blog/communicating-between-controllers-in-angular
It's pretty similar to a lot of the things I've been seeing, using $broadcast and $on, but I did include a nice JSFiddle so that you can see it in action.
You can access this hello function anywhere in the module
Controller one
 $scope.save = function() {
    $scope.hello();
  }
second controller
  $rootScope.hello = function() {
    console.log('hello');
  }
You may also want to consider the following article, as a supplement to the other (excellent) answers:
You can use AngularJS build-in service $rootScope and inject this service in both of your controllers.
You can then listen for events that are fired on $rootScope object. 
$rootScope provides two event dispatcher called $emit and $broadcast which are responsible for dispatching events(may be custom events) and use $rootScope.$on function to add event listener.
         function mySrvc() {
            var callback = function() {
            }
            return {
                onSaveClick : function(fn) {
                    callback = fn;
                },
                fireSaveClick : function(data) {
                    callback(data);
                }
            }
        }
        function controllerA($scope, mySrvc) {
            mySrvc.onSaveClick(function(data) {
                console.log(data)
            })
        }
        function controllerB($scope, mySrvc) {
            mySrvc.fireSaveClick(data);
        }