1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109
|
// @file background_job_test.cpp
/**
* Copyright (C) 2010 10gen Inc.
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License, version 3,
* as published by the Free Software Foundation.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include "../pch.h"
#include <boost/thread/thread.hpp>
#include "dbtests.h"
#include "../util/time_support.h"
#include "../util/background.h"
namespace BackgroundJobTests {
// a global variable that can be accessed independent of the IncTester object below
// IncTester keeps it up-to-date
int GLOBAL_val;
class IncTester : public mongo::BackgroundJob {
public:
explicit IncTester( long long millis , bool selfDelete = false )
: BackgroundJob(selfDelete), _val(0), _millis(millis) { GLOBAL_val = 0; }
void waitAndInc( long long millis ) {
if ( millis )
mongo::sleepmillis( millis );
++_val;
++GLOBAL_val;
}
int getVal() { return _val; }
/* --- BackgroundJob virtuals --- */
string name() const { return "IncTester"; }
void run() { waitAndInc( _millis ); }
private:
int _val;
long long _millis;
};
class NormalCase {
public:
void run() {
IncTester tester( 0 /* inc without wait */ );
tester.go();
ASSERT( tester.wait() );
ASSERT_EQUALS( tester.getVal() , 1 );
}
};
class TimeOutCase {
public:
void run() {
IncTester tester( 1000 /* wait 1sec before inc-ing */ );
tester.go();
ASSERT( ! tester.wait( 100 /* ms */ ) ); // should time out
ASSERT_EQUALS( tester.getVal() , 0 );
// if we wait longer than the IncTester, we should see the increment
ASSERT( tester.wait( 1500 /* ms */ ) ); // should not time out
ASSERT_EQUALS( tester.getVal() , 1 );
}
};
class SelfDeletingCase {
public:
void run() {
BackgroundJob* j = new IncTester( 0 /* inc without wait */ , true /* self delete */ );
j->go();
// the background thread should have continued running and this test should pass the
// heap-checker as well
mongo::sleepmillis( 1000 );
ASSERT_EQUALS( GLOBAL_val, 1 );
}
};
class BackgroundJobSuite : public Suite {
public:
BackgroundJobSuite() : Suite( "background_job" ) {}
void setupTests() {
add< NormalCase >();
add< TimeOutCase >();
add< SelfDeletingCase >();
}
} backgroundJobSuite;
} // namespace BackgroundJobTests
|