Reputation: 133
Suppose I have two arrays, array1 and array2, that look like
array1
45 46 47 48 49 50
1.0 1.5 1.3 1.2 0.9 1.1
array2
45 46 47 48 49 50
2.5 5.5 4.5 5.8 1.5 8.4
and I want to merge them into a data frame that looks like:
1.0 2.5
1.5 5.5
1.3 4.5
1.2 5.8
0.9 1.5
1.1 8.4
The numbers 45 to 50 don't matter.
Upvotes: 8
Views: 41919
Reputation: 25
You can merge to arrays by below given code and can display in required format.
for (int i = 45; i <=50; i++)
{
float[] merge = { array1[i], array2[i] };
}
// to display in required format
for (int j =0; i <merge.Length; i++)
{
Console.WriteLine(merge[i]);
}
Upvotes: -3
Reputation: 7784
You should be able to combine ?rbind
and ?t
, or just use ?cbind
depending on the format of your data.
For example:
new.array <- t(rbind(array1,array2))
or
new.array <- cbind(array1,array2)
or
new.arrray <- data.frame(array1,array2)
If you have two vectors, cbind
is the best way to go. However, suppose you have two data frames. ie:
array1 <- t(data.frame(array1=c(1.0,1.5,1.3,1.2,0.9,1.1)))
array2 <- t(data.frame(array2=c(2.5,5.5,4.5,5.8,1.5,8.4)))
Using cbind
will not give the desired output, and you will need to combine t
and rbind
.
> cbind(array1,array2)
[,1] [,2] [,3] [,4] [,5] [,6] [,7] [,8] [,9] [,10] [,11] [,12]
array1 1 1.5 1.3 1.2 0.9 1.1 2.5 5.5 4.5 5.8 1.5 8.4
> t(rbind(array1,array2))
array1 array2
[1,] 1.0 2.5
[2,] 1.5 5.5
[3,] 1.3 4.5
[4,] 1.2 5.8
[5,] 0.9 1.5
[6,] 1.1 8.4
Upvotes: 1
Reputation: 8828
array1 <- c(1.0,1.5,1.3,1.2,0.9,1.1)
array2 <- c(2.5,5.5,4.5,5.8,1.5,8.4)
result = cbind(array1, array2)
In case you don't want to see any column names or row names (as posted in your question), you should do the following:
result = as.matrix(cbind(array1, array2))
dimnames(result) <-list(rep("", dim(result)[1]), rep("", dim(result)[2]))
You get:
> result
1.0 2.5
1.5 5.5
1.3 4.5
1.2 5.8
0.9 1.5
1.1 8.4
Upvotes: 13