I guess you have a situation like this. Here is the Index view:
@model Models.IndexViewModel
@{
    ViewBag.Title = "Index";
}
<h2>Index</h2>
@using (Html.BeginForm("SaveGuid", "Flow"))
{
    Html.DropDownListFor(x => x.SelectedGuid, Model.Guids, new { onchange = "this.form.submit();" });
}
Here is the Index model:
public class IndexViewModel
{
    public Guid SelectedGuid { get; set; }
    public SelectList Guids { get; set; }
}
The Index and SaveGuid Action look like this:
private List<Guid> Guids = new List<Guid> { Guid.NewGuid(), Guid.NewGuid() }; // for testing only
public ActionResult Index()
{
    var model = new IndexViewModel { Guids = new SelectList(Guids, Guids.First()) };
    return View(model);
}
public ActionResult SaveGuid(IndexViewModel model)
{
    Session["SelectedGuid"] = model.SelectedGuid;        
    return new RedirectResult("Create");
}
The Create View looks like this...
@model MvcBootStrapApp.Models.CreateViewModel
@{
    ViewBag.Title = "Create";
}
<h2>Create</h2>
@using (Html.BeginForm("SaveGuid", "Flow"))
{
    @Html.DropDownListFor(x => x.SelectedGuid, Model.Guids, new { onchange = "this.form.submit();" });
}
@using (Html.BeginForm("SaveCreate", "Flow"))
{ 
    // setup other controls
    <input type="submit" value="Submit" />
}
Using a CreateViewModel like this...
public class CreateViewModel
{
    public Guid SelectedGuid { get; set; }
    public SelectList Guids { get; set; }
    // include other model properties
}
The Create and CreateSave ActionResults look like this...
public ActionResult Create()
{
    Guid selectedGuid = Guids.First();
    if (Session["SelectedGuid"] != null)
        selectedGuid = (Guid)Session["SelectedGuid"];
    return View(new CreateViewModel
    {
        Guids = new SelectList(Guids, selectedGuid),
        SelectedGuid = selectedGuid
    });
}
public ActionResult SaveCreate(CreateViewModel model)
{
    // save properties
    return new RedirectResult("Index");
}
I used two forms to allow both the change of selected Guid and to postback all the Create properties.