3DPCA

import numpy as np
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D

# 更新后的数据点
points = {
    'blue': np.array([
        [-12, 6, 0],
        [-13, 3, 0],
        [-15, 1, 0]
    ]),
    'green': np.array([
        [2, 0, 0],
        [3, 0, 0],
        [4, -2, 0]
    ]),
    'orange': np.array([
        [-2, 8, 8],
        [-4, 3, 2]
    ]),
    'pink': np.array([
        [-3, 6, 5],
        [-5, 2, 3],
    ])
}

def draw_ellipsoid(ax, center, radii, rotation, color, alpha=0.2):
    u = np.linspace(0, 2 * np.pi, 100)
    v = np.linspace(0, np.pi, 100)
    x = radii[0] * np.outer(np.cos(u), np.sin(v))
    y = radii[1] * np.outer(np.sin(u), np.sin(v))
    z = radii[2] * np.outer(np.ones_like(u), np.cos(v))
    
    for i in range(len(x)):
        for j in range(len(x)):
            [x[i,j],y[i,j],z[i,j]] = np.dot([x[i,j],y[i,j],z[i,j]], rotation) + center

    ax.plot_surface(x, y, z, color=color, alpha=alpha)

# 创建图形
fig = plt.figure(figsize=(10, 8))
ax = fig.add_subplot(111, projection='3d')

# 设置白色背景
ax.xaxis.pane.fill = False
ax.yaxis.pane.fill = False
ax.zaxis.pane.fill = False
ax.xaxis.pane.set_edgecolor('white')
ax.yaxis.pane.set_edgecolor('white')
ax.zaxis.pane.set_edgecolor('white')
ax.set_facecolor('white')

# 绘制散点图和椭圆
for color, coords in points.items():
    # 绘制散点
    ax.scatter(coords[:, 0], coords[:, 1], coords[:, 2], 
              c=color, s=100, alpha=1.0)
    
    # 添加椭圆
    center = np.mean(coords, axis=0)
    if color == 'blue':
        radii = [2, 3, 1]
        rotation = np.array([[0.8, -0.2, 0], [0.2, 0.8, 0], [0, 0, 1]])
    elif color == 'green':
        radii = [2, 2, 1]
        rotation = np.array([[1, 0, 0], [0, 1, 0], [0, 0, 1]])
    elif color in ['orange', 'pink']:
        # 为橙色和粉色点共用一个更大的椭圆
        if color == 'orange':
            radii = [3, 4, 4]
            rotation = np.array([[0.9, -0.1, 0], [0.1, 0.9, 0], [0, 0, 1]])
    
    draw_ellipsoid(ax, center, radii, rotation, color, alpha=0.1)

# 设置坐标轴标签
ax.set_xlabel('PC1')
ax.set_ylabel('PC2')
ax.set_zlabel('PC3')

# 设置坐标轴范围
ax.set_xlim([-15, 5])
ax.set_ylim([-5, 10])
ax.set_zlim([-5, 10])

# 设置网格线
ax.grid(True, linestyle='--', alpha=0.3)

# 调整视角
ax.view_init(elev=20, azim=-45)

plt.show()
image.png
import plotly.graph_objects as go
import plotly.express as px
import numpy as np
from sklearn.manifold import TSNE

def generate_ellipsoid_mesh(center, radii, rotation, n_points=50):
    u = np.linspace(0, 2 * np.pi, n_points)
    v = np.linspace(0, np.pi, n_points)
    
    x = radii[0] * np.outer(np.cos(u), np.sin(v))
    y = radii[1] * np.outer(np.sin(u), np.sin(v))
    z = radii[2] * np.outer(np.ones_like(u), np.cos(v))
    
    # 应用旋转和平移
    points = np.stack([x.flatten(), y.flatten(), z.flatten()])
    transformed_points = np.dot(rotation, points) + center.reshape(-1, 1)
    
    x = transformed_points[0].reshape(n_points, n_points)
    y = transformed_points[1].reshape(n_points, n_points)
    z = transformed_points[2].reshape(n_points, n_points)
    
    return x, y, z

# 年龄分组函数
def age_to_group(age):
    if age == 0:
        return 0
    elif 0 < age <= 1:
        return 1
    else:
        return int((age-1) // 10 + 2)

# 模拟一些年龄数据 (如果你没有真实数据的话)
np.random.seed(42)
age_values = np.random.uniform(0, 100, size=1000)

# 模拟一些高维数据 (如果你没有真实的final_V的话)
final_V = np.random.randn(100, 1000)  # 100维特征,1000个样本

# 将年龄转换为分组
age_groups = np.array([age_to_group(age) for age in age_values])

# 创建分组标签
group_labels = ['0', '0-1'] + [f'{i*10-9}-{i*10}' for i in range(1, 11)]

# 计算t-SNE
tsne = TSNE(n_components=3, random_state=42)
features_3d = tsne.fit_transform(final_V.T)

# 创建图形
fig = go.Figure()

# 使用plotly的颜色序列
colors = px.colors.qualitative.Set3

# 为每个年龄组添加散点和椭圆
for i, label in enumerate(group_labels):
    mask = age_groups == i
    if np.sum(mask) > 0:  # 如果该组有数据点
        group_points = features_3d[mask]
        
        # 添加散点
        fig.add_trace(go.Scatter3d(
            x=group_points[:, 0],
            y=group_points[:, 1],
            z=group_points[:, 2],
            mode='markers',
            name=label,
            marker=dict(
                size=5,
                color=colors[i % len(colors)],
                opacity=0.6
            ),
            showlegend=True
        ))
        
        # 计算并添加椭圆
        if len(group_points) > 1:
            center = np.mean(group_points, axis=0)
            cov = np.cov(group_points.T)
            eigenvals, eigenvecs = np.linalg.eigh(cov)
            radii = 2 * np.sqrt(eigenvals)
            radii = np.maximum(radii, 0.1)
            
            x, y, z = generate_ellipsoid_mesh(center, radii, eigenvecs)
            
            fig.add_trace(go.Surface(
                x=x, y=y, z=z,
                colorscale=[[0, colors[i % len(colors)]], [1, colors[i % len(colors)]]],
                showscale=False,
                opacity=0.2,
                name=f'{label}_surface',
                showlegend=False
            ))

# 更新布局
fig.update_layout(
    title='t-SNE 3D Visualization with Age Groups',
    scene=dict(
        xaxis_title='t-SNE 1',
        yaxis_title='t-SNE 2',
        zaxis_title='t-SNE 3',
        bgcolor='white'
    ),
    showlegend=True,
    legend=dict(
        yanchor="top",
        y=0.99,
        xanchor="left",
        x=1.05
    ),
    margin=dict(l=0, r=0, t=30, b=0)
)

# 更新场景配置
fig.update_scenes(
    camera=dict(
        up=dict(x=0, y=0, z=1),
        center=dict(x=0, y=0, z=0),
        eye=dict(x=1.5, y=1.5, z=1.5)
    )
)

# 显示图形
fig.show()
image.png
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 216,039评论 6 498
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 92,223评论 3 392
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 161,916评论 0 351
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 58,009评论 1 291
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 67,030评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 51,011评论 1 295
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,934评论 3 416
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,754评论 0 271
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 45,202评论 1 309
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,433评论 2 331
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,590评论 1 346
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,321评论 5 342
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,917评论 3 325
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,568评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,738评论 1 268
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,583评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,482评论 2 352

推荐阅读更多精彩内容