1

how can we join this two arrays into one array

for this, I had done my code like this and got the output as shown below

$groups_array = array_map('trim',explode(',', $tt));  

$tt looks like this string(5) "11:00" string(5) "10:00"

array(1) { [0]=> string(5) "11:00" } array(1) { [0]=> string(5) "10:00" } 

need desired output to look like

array(1) { [0]=> string(5) "11:00",[1]=> string(5) "10:00" } 

My code is here please have a look

<?php $time_booked=$this->Hospital_model->get_already_booked_time($d,$timeslot->doctor_id);

   foreach($time_booked as $index1=> $t) {

    $tt=$t->time;
    $groups_array = array_merge(array_map('trim',explode(',', $ttt)));


} ?>

my var_dump($time_booked) looks like this

array(2) { [0]=> object(stdClass)#40 (1) { ["time"]=> string(5) "11:00" } [1]=> object(stdClass)#41 (1) { ["time"]=> string(5) "10:00" } } 
Alive to die - Anant
  • 70,531
  • 10
  • 51
  • 98
user_777
  • 845
  • 1
  • 9
  • 25

3 Answers3

1

What about array_merge ? That should give you the result.

http://php.net/manual/de/function.array-merge.php

EDIT:

$tt = ['11:00'];
$tt2 = ['10:00'];

$result = array_merge($tt,$tt2);

var_dump($result);

Result is

array(2) {
  [0]=>
  string(5) "11:00"
  [1]=>
  string(5) "10:00"
}

Is that not what you meant ?

WhiteRabbit
  • 322
  • 3
  • 12
1

What about array_merge() with array_map()

$groups_array = array_merge(array_map('trim',explode(',', $tt)));

Output:-https://eval.in/1012484

By looking your edit in your question no need to do any extra stuff, just create an array and add values to it

<?php 
  $groups_array = []; //create array
  $time_booked=$this->Hospital_model->get_already_booked_time($d,$timeslot->doctor_id);

  foreach($time_booked as $index1=> $t) {
     $groups_array[] =$t->time; //add values to array
  }
  var_dump($groups_array);
?>
Alive to die - Anant
  • 70,531
  • 10
  • 51
  • 98
1

Suppose you have two array which look like

$array1 = array(0 => "10:00 am");
$array2 = array(0 => "11:00 am");

and you want to join and want output like: Array ( [0] => 10:00 am [1] => 11:00 am )

then you can use array_merge option

$array3 = array_merge($array1, $array2);

If you print print_r($array3); output will be

Array ( [0] => 10:00 am [1] => 11:00 am )
g8bhawani
  • 674
  • 4
  • 8