No. You cannot call a jQuery function from an action. The way to do this in MVC is to simply add the function in the View's .aspx page and just wrap it in the $(document).ready(function(){}) (or w/e the function is for your library) so that when the page fully loads, the function will be called.
It is important to note that with MVC you have complete control of the HTML (JavaScript included) output and you should utilize that. While in WebForms its best to avoid using inline tags <% %>, in MVC, you're expected to use them to generate the HTML you want.
So, assuming that the Insert to db will return something, like an ID, you can place this ID value  in the ViewData or TempData since you're using RedirectToAction and then use it to call the function.
    [AcceptVerbs(HttpVerbs.Post)]
    public ActionResult Create(FormCollection collection)
    {
        int newID = InsertToDBAndReturnID();
        ViewData["MyID"] = newID;
        return View();
    }
And somewhere in the .aspx page that is used for the Create action:
   <script type="text/javascript">
       $(document).ready(function() {
          // I have direct access to the "MyID" value from the action
          // so I can utilize it to write any JavaScript with it
          $('#'+<%: ViewData["MyID"] %>).click(function(){
              alert('You clicked the control with the new ID');
          });
       });
   </script>
When the page is rendered, <%: ViewData["MyID"] %> is replaced with the actual value generated in the action.