You can use a permanent threaded timer, like those from this question: Python threading.timer - repeat function every 'n' seconds 
from threading import Timer,Event 
class perpetualTimer(object):
   # give it a cycle time (t) and a callback (hFunction) 
   def __init__(self,t,hFunction):
      self.t=t
      self.stop = Event()
      self.hFunction = hFunction
      self.thread = Timer(self.t,self.handle_function)
   def handle_function(self):
      self.hFunction()
      self.thread = Timer(self.t,self.handle_function)
      if not self.stop.is_set():
          self.thread.start()
   def start(self):
      self.stop.clear()
      self.thread.start()
   def cancel(self):
      self.stop.set()
      self.thread.cancel()
Basically this is just a wrapper for a Timer object that creates a new Timer object every time your desired function is called. Don't expect millisecond accuracy (or even close) from this, but for your purposes it should be ideal.
Using this your example would become:
finished = 0
def make_job():
   sleep(1)
   global finished
   finished += 1
def display_status():
   print 'finished: ' + finished
def main():
    data = [...]
    pool = ThreadPool(45)
    # set up the monitor to make run the function every minute
    monitor = PerpetualTimer(60,display_status)
    monitor.start()
    results = pool.map(make_job, data)
    pool.close()
    pool.join()
    monitor.cancel()
EDIT:
A cleaner solution may be (thanks to comments below):
from threading import Event,Thread 
class RepeatTimer(Thread):
    def __init__(self, t, callback, event):
        Thread.__init__(self)
        self.stop = event
        self.wait_time = t
        self.callback = callback
        self.daemon = True
    def run(self):
        while not self.stop.wait(self.wait_time):
            self.callback()
Then in your code:
def main():
    data = [...]
    pool = ThreadPool(45)
    stop_flag = Event()
    RepeatTimer(60,display_status,stop_flag).start()
    results = pool.map(make_job, data)
    pool.close()
    pool.join()
    stop_flag.set()