Xamarin form MessagingCenter Unsubscribe is not working as expected

I faced same issue. I solved issue by passing the same parameters inn subscribe and unsubscribing as well.

MessagingCenter.Subscribe<Page1, T>(this, "Listen", async (Page1 arg1, T 
listenedString) =>
{

});

Unsubscribe like below

 MessagingCenter.Unsubscribe<Page1, T>(this, "Listen");

I'm using this temporary solution. I declared a static dictionary to storage my object (to this example I used an object type).

private static Dictionary<string, object> subscribedReferencePages = new Dictionary<string, object>();

And I always storage the last subscribed page reference. Then I compare the page reference before triggering the message method to fire only the last one.

    subscribedReferencePages[pageName] = this;
    MessagingCenter.Subscribe<ViewModelBase>(this, pageName, async (sender) =>
    {
        if (!ReferenceEquals(sender, this))
        {
            return;
        }

        this.OnInitialized();
    });

To call the message method I need to pass the dictionary as parameter (instead of the "this" reference).

 MessagingCenter.Send(subscribedPages[pageName], keyPageName);

But each time before subscribing, I do unsubscribe to the same in constructor as follows, still it didn't worked.

MessagingCenter.Subscribe() is called multiple times, because there are two instances of Page2 in your code, both of them use MessagingCenter.Subscribe() method, that's why the Unsubscribe didn't work.

You can modify page2() to a singleton to make sure there is only one instance of Page2 in your project, after that when you send a message, the MessagingCenter.Subscribe() is called only once.

Page2.cs:

public static Page2 instance = new Page2();

public static Page2 GetPage2Instance()
{
    if(instance == null)
    {
        return new Page2();
    }
    return instance;
}

private Page2()
{
    InitializeComponent();
    MessagingCenter.Unsubscribe<Page2>(this, "SaveToastPage2");
    MessagingCenter.Subscribe<Page2>(this, "SaveToastPage2", (sender) =>
    {
       DisplayToastOnSuccessfulSubmission();
    }
 }

When you send a message :

MessagingCenter.Send(Page2.GetPage2Instance(), "SaveToastPage2");

EDIT :

Remember that declaring constructors of Page2 class to be private to make sure there is only one instance of Page2 in your project sure.

private Page2()
{
   ...
}

Modify your Page1.cs code :

async void Handle_Next(object sender, System.EventArgs e)
{
    await App.NavigationRef.PushAsync(Page2.GetPage2Instance(), true);
}