Summary
You can't set a positive expectation on an object after setting a negative expectation on the same object within the same example.
Detail
I don't know that RSpec's behavior is formally defined when setting expectations on something that already has an expectation set. I produced a set of tests, the results of which are shown below, to try and come up with a unified model.
Conceptually, at least, it seems that RSpec places expectations for each object#method into an object#method-specific FIFO queue and then checks the expectations against that queue at each method invocation and at the end of the block. If the expectations for an entry in the queue are "met", then the expectation decremented or removed (if the decrement goes to 0). If the expectations are not met, then the expectation fails.
Given this scenario, placing a "should_receive" after a "should_not_receive" will always fail if the method is invoked, as in your case.
The solution to this problem and the approach intended by RSpec is to break your single example up into multiple examples such that you are not setting expectations on the same object#method pair twice within the same example.
Note that in the examples below, I show the error on the line that RSpec reports the error on. In the case of an invocation that wasn't expected, that will be the line of the invocation. In a case where an expectation for invocation was set but not satisfied by the end of the block, that will be line that set the expectation.
class Foo; end
describe "multiple expectations on same object with single it clause" do
  it "yes, doit" do # succeeds
    Foo.should_receive(:bar)
    Foo.bar
  end
  it "no, yes, doit" do 
    Foo.should_not_receive(:bar)
    Foo.should_receive(:bar)
    Foo.bar # fails, expected 0, received 1
  end
  it "yes, doit, no" do # succeeds
    Foo.should_receive(:bar)
    Foo.bar
    Foo.should_not_receive(:bar)
  end
  it "yes, doit, yes, doit" do # succeeds
    Foo.should_receive(:bar)
    Foo.bar
    Foo.should_receive(:bar)
    Foo.bar
  end
  it "yes, yes, doit, doit" do # succeeds
    Foo.should_receive(:bar)
    Foo.should_receive(:bar)
    Foo.bar
    Foo.bar
  end
  it "yes, yes, doit" do
    Foo.should_receive(:bar)
    Foo.should_receive(:bar) # fails, expected 1, received 0
    Foo.bar
  end
  it "yes, yes" do
    Foo.should_receive(:bar) # fails, expected 1, received 0
    Foo.should_receive(:bar)
  end
  it "yes, no" do
    Foo.should_receive(:bar) # fails, expected 1, received 0
    Foo.should_not_receive(:bar)
  end
  it "no, yes" do
    Foo.should_not_receive(:bar)
    Foo.should_receive(:bar) # fails, expected 1, received 0
  end
  it "yes(2), doit, yes, doit, doit" do # succeeds
    Foo.should_receive(:bar).exactly(2).times
    Foo.bar
    Foo.should_receive(:bar)
    Foo.bar
    Foo.bar
  end
end