Matlab中的`sort`函数用于对数组或矩阵中的元素进行排序。它有多种用法,可以按升序或降序排列一维或多维数组,并返回排序后的数组以及原始数组中元素的索引。
基本用法
对一维向量排序
```matlab
x = [4, -8, -2, 1, 0];
sorted_x = sort(x);
```
默认情况下,`sort`函数按升序排列元素。
对矩阵排序
```matlab
A = [1 2 3; 3 9 6; 4 10 8; 4 0 7];
sorted_A = sort(A);
```
默认情况下,`sort`函数按升序排列矩阵的每一列。
指定排序维度
```matlab
sorted_A_by_row = sort(A, 2);
```
当`dim=2`时,`sort`函数按升序排列矩阵的每一行。
指定排序模式
```matlab
sorted_A_desc = sort(A, 2, 'descend');
```
当`mode='descend'`时,`sort`函数按降序排列矩阵的每一行。
返回排序后的数组及原始索引
```matlab
[Y, I] = sort(A, 2, 'descend');
```
这里,`Y`是排序后的数组,`I`是原始数组`A`中元素在排序后的位置对应的索引。
特殊用法
对字符串数组排序
```matlab
str_array = {'file1.txt', 'file2.txt', 'file10.txt'};
sorted_str_array = sort(str_array);
```
`sort`函数按ASCII字典顺序对字符串进行升序排列。
对复数数组排序
```matlab
x = [1+i, -3-4i, 2i, 1];
sorted_x = sort(x);
```
对于复数数组,`sort`函数按元素的幅值进行升序排列,若幅值相同,则按幅角升序排列。
对包含NaN的数组排序
```matlab
x = [4, NaN, -2, 1, 0];
sorted_x = sort(x);
```
`NaN`元素在排序后被放置在数组的高端。
示例
```matlab
% 创建一个示例矩阵
A = [1 2 3; 3 9 6; 4 10 8; 4 0 7];
% 按列升序排序矩阵
[Y, I] = sort(A, 1);
% 显示排序后的矩阵和原始索引
disp('Sorted Matrix:')
disp(Y)
disp('Original Indices:')
disp(I)
```
输出结果:
```
Sorted Matrix:
1 2 3
3 9 6
410 8
4 0 7
Original Indices:
1 1 1
2 2 2
3 3 3
4 4 4
```
通过这些示例,可以看到`sort`函数在Matlab中的多种用途和用法。根据具体需求,可以选择合适的参数来对数组或矩阵进行排序,并获取排序后的结果及原始索引。