Reputation: 361
I have to send out SMS in multiples of 150 batch per CURL post. Here is my code,
$mobiles = "9844700001,9844700002,9844700003,9844700004;9844700005
9844700006,9844700007,9844700008,9844700009,9844700010,.... upto 1000 numbers"
$rmobiles = preg_split('/[\ \n\r\;\:\,]+/', $mobiles, -1, PREG_SPLIT_NO_EMPTY);
if(count($rmobiles) <= 1000){
foreach($rmobiles as $key => $value){
if ($key % 150 == 0) {
//Generate a new random ID
$randno = rand(0,10000);
}
$this->addtoDB("00000", $value, $randno);
}
return $this->sendmsms($randno);
} else {
echo "error, max 1000";
}
Since sendmsms
function is outside the foreach loop, it only sends out the last batch with the random number and if I include sendmsms
function within foreach loop then the function will run as many mobile numbers are there.
How should I able to run sendmsms
function based on generated randno
and so that my curl function sendmsms
will run properly and generate db records genuinely.
I again tried like this, but its inserting single record in my DB.
foreach($rmobiles as $key => $value){
if ($key % 150 == 0) {
//Generate a new random ID
$randno = rand(0,10000);
}
$this->addtoDB("00000", $value, $randno);
if ($key % 150 == 0) {
return $this->sendmsms($randno);
}
}
I even tried creating array for randno. But only first batch is going, not the all 7 batches.
$arr = array();
foreach($rmobiles as $key => $value){
if ($key % 150 == 0) {
//Generate a new random ID
$randno = rand(0,10000);
$arr[] = $randno;
}
$this->addtoDB("00000", $value, $randno);
}
foreach($arr as $k => $v){
return $this->sendmsms($v);
}
When I echo it, it perfectly displays but through DB its going just 1 batch. What could be the reason?
Upvotes: 0
Views: 943
Reputation: 41
One solution that comes to mind is using array_chunk() to break $rmobiles into multiple arrays with a maximum of 150 elements each. Not sure if your sendmsms function takes a string or an array, but something like this may get you on the right track:
$mobiles = "9844700001,9844700002,9844700003,9844700004;...";
$rmobiles = preg_split('/[\ \n\r\;\:\,]+/', $mobiles, -1, PREG_SPLIT_NO_EMPTY);
foreach (array_chunk($rmobiles, 150) as $batch) {
$this->sendmsms(implode(',',$batch));
}
Upvotes: 1