web-dev-qa-db-ja.com

Python

この例をJupyterノートブックで再現しようとしていました。

https://plot.ly/python/gapminder-example/

しかし、このエラーが発生していました:

PlotlyDictKeyError: 'slider' is not allowed in 'layout'

Path To Error: ['layout']['slider']

Valid attributes for 'layout' at path ['layout'] under parents ['figure']:

    ['angularaxis', 'annotations', 'autosize', 'bargap', 'bargroupgap',
    'barmode', 'barnorm', 'boxgap', 'boxgroupgap', 'boxmode', 'calendar',
    'direction', 'dragmode', 'font', 'geo', 'height', 'hiddenlabels',
    'hiddenlabelssrc', 'hidesources', 'hoverlabel', 'hovermode', 'images',
    'legend', 'mapbox', 'margin', 'orientation', 'paper_bgcolor',
    'plot_bgcolor', 'radialaxis', 'scene', 'separators', 'shapes',
    'showlegend', 'sliders', 'smith', 'ternary', 'title', 'titlefont',
    'updatemenus', 'width', 'xaxis', 'yaxis']

Run `<layout-object>.help('attribute')` on any of the above.
'<layout-object>' is the object at ['layout']

アニメーションは、レイアウトにスライダーdictを追加せずに実行され、スライダーは表示されて操作可能ですが、グラフは変更されません。スライダーを動かすと、コンソールに次のエラーが発生します。

Uncaught (in promise) undefined
19
Caleb Everett

更新:

あなたが持っているグラフをチェックしました、私は時々以下のエラーを観察しています。

キャッチされていない(約束されている)未定義

このエラーは、クリックやその他のイベントがプロットで欠落していることが原因である可能性がありますが、 Plotly Sliderアニメーション リンクおよび_plotly.js_に移動すると、内部的に_slider animation_ファイル内にあります。セクションで、[再生]をクリックし、再生の実行中にスライダーをクリックすると、このエラーが発生します。一時停止をクリックしても、このエラーが発生します。ただし、もう一度再生を押すとアニメーションが再生され続けるため、大きな影響はありません。イベントが適切に処理されないだけです。

提供したグラフの場合と同様に、エラー(Uncaught (in promise) undefined)が発生しても、アニメーションは正常に機能します。アニメーションは引き続き再生できます。

iplot(fig, validate=False)またはplot(fig)のいずれかを使用して、アニメーションでPythonのグラフを表示できます!

回答:

エラーは、layoutオブジェクトにslidersではなくsliderというプロパティがあるためです。したがって、レイアウトでsliderを使用している場合は、これも変更してください。プロットは非常に複雑で、他のエラーも発生する可能性があります。デバッグのために、コードを共有してください。しかし今のところ、これが私の答えになります。

前:

_['layout']['slider'] 
_

後:

_['layout']['sliders']
_

レイアウトに関連するすべてのsliderプロパティを置き換えてください。これらはslidersに変更する必要があります。

参照:

この特定のスライダーアニメーションPlotlyグラフに関連する問題を処理しました。必要に応じて参照してください。問題の解決に役立つ場合があります。

  1. プロットアニメーションのバブルチャートプロットにデータがありません
  2. プロットエラー無効な図またはデータ引数
  3. Jupyter NotebookでオフラインでアニメーションをプロットIcreate
6
Naren Murali

そのノートブックのタイプミスが原因で、おそらくこのエラーが発生しています。 slidersではなくsliderにする必要があります。 docs を参照してください。

他のエラーも、このタイプミスが原因のようです。このコードは、スライダーを動かすたびにトリガーされるイベントハンドラーにあるようです。

したがって、以下の行(および同様のもの):

figure['layout']['slider']

次のように修正する必要があります。

figure['layout']['sliders']

その例のコードは次のとおりです。

import plotly.plotly as py
import plotly.graph_objs as go
from plotly.grid_objs import Grid, Column
from plotly.tools import FigureFactory as FF 

import pandas as pd
import time

url = 'https://raw.githubusercontent.com/plotly/datasets/master/gapminderDataFiveYear.csv'
dataset = pd.read_csv(url)

table = FF.create_table(dataset.head(10))
py.iplot(table, filename='animations-gapminder-data-preview')


years_from_col = set(dataset['year'])
years_ints = sorted(list(years_from_col))
years = [str(year) for year in years_ints]
years.remove('1957')

# make list of continents
continents = []
for continent in dataset['continent']:
    if continent not in continents: 
        continents.append(continent)

columns = []
# make grid
for year in years:
    for continent in continents:
        dataset_by_year = dataset[dataset['year'] == int(year)]
        dataset_by_year_and_cont = dataset_by_year[dataset_by_year['continent'] == continent]
        for col_name in dataset_by_year_and_cont:
            # each column name is unique
            column_name = '{year}_{continent}_{header}_gapminder_grid'.format(
                year=year, continent=continent, header=col_name
            )
            a_column = Column(list(dataset_by_year_and_cont[col_name]), column_name)
            columns.append(a_column)

# upload grid
grid = Grid(columns)
url = py.grid_ops.upload(grid, 'gapminder_grid'+str(time.time()), auto_open=False)

figure = {
    'data': [],
    'layout': {},
    'frames': [],
    'config': {'scrollzoom': True}
}

# fill in most of layout
figure['layout']['xaxis'] = {'range': [30, 85], 'title': 'Life Expectancy', 'gridcolor': '#FFFFFF'}
figure['layout']['yaxis'] = {'title': 'GDP per Capita', 'type': 'log', 'gridcolor': '#FFFFFF'}
figure['layout']['hovermode'] = 'closest'
figure['layout']['plot_bgcolor'] = 'rgb(223, 232, 243)'

figure['layout']['sliders'] = {
    'args': [
        'slider.value', {
            'duration': 400,
            'ease': 'cubic-in-out'
        }
    ],
    'initialValue': '1952',
    'plotlycommand': 'animate',
    'values': years,
    'visible': True
}

figure['layout']['updatemenus'] = [
    {
        'buttons': [
            {
                'args': [None, {'frame': {'duration': 500, 'redraw': False},
                         'fromcurrent': True, 'transition': {'duration': 300, 'easing': 'quadratic-in-out'}}],
                'label': 'Play',
                'method': 'animate'
            },
            {
                'args': [[None], {'frame': {'duration': 0, 'redraw': False}, 'mode': 'immediate',
                'transition': {'duration': 0}}],
                'label': 'Pause',
                'method': 'animate'
            }
        ],
        'direction': 'left',
        'pad': {'r': 10, 't': 87},
        'showactive': False,
        'type': 'buttons',
        'x': 0.1,
        'xanchor': 'right',
        'y': 0,
        'yanchor': 'top'
    }
]


sliders_dict = {
    'active': 0,
    'yanchor': 'top',
    'xanchor': 'left',
    'currentvalue': {
        'font': {'size': 20},
        'prefix': 'Year:',
        'visible': True,
        'xanchor': 'right'
    },
    'transition': {'duration': 300, 'easing': 'cubic-in-out'},
    'pad': {'b': 10, 't': 50},
    'len': 0.9,
    'x': 0.1,
    'y': 0,
    'steps': []
}

custom_colors = {
    'Asia': 'rgb(171, 99, 250)',
    'Europe': 'rgb(230, 99, 250)',
    'Africa': 'rgb(99, 110, 250)',
    'Americas': 'rgb(25, 211, 243)',
    #'Oceania': 'rgb(9, 255, 255)' 
    'Oceania': 'rgb(50, 170, 255)'
}

col_name_template = '{year}_{continent}_{header}_gapminder_grid'
year = 1952
for continent in continents:
    data_dict = {
        'xsrc': grid.get_column_reference(col_name_template.format(
            year=year, continent=continent, header='lifeExp'
        )),
        'ysrc': grid.get_column_reference(col_name_template.format(
            year=year, continent=continent, header='gdpPercap'
        )),
        'mode': 'markers',
        'textsrc': grid.get_column_reference(col_name_template.format(
            year=year, continent=continent, header='country'
        )),
        'marker': {
            'sizemode': 'area',
            'sizeref': 200000,
            'sizesrc': grid.get_column_reference(col_name_template.format(
                 year=year, continent=continent, header='pop'
            )),
            'color': custom_colors[continent]
        },
        'name': continent
    }
    figure['data'].append(data_dict)


for year in years:
    frame = {'data': [], 'name': str(year)}
    for continent in continents:
        data_dict = {
            'xsrc': grid.get_column_reference(col_name_template.format(
                year=year, continent=continent, header='lifeExp'
            )),
            'ysrc': grid.get_column_reference(col_name_template.format(
                year=year, continent=continent, header='gdpPercap'
            )),
            'mode': 'markers',
            'textsrc': grid.get_column_reference(col_name_template.format(
                year=year, continent=continent, header='country'
                )),
            'marker': {
                'sizemode': 'area',
                'sizeref': 200000,
                'sizesrc': grid.get_column_reference(col_name_template.format(
                    year=year, continent=continent, header='pop'
                )),
                'color': custom_colors[continent]
            },
            'name': continent
        }
        frame['data'].append(data_dict)

    figure['frames'].append(frame)
    slider_step = {'args': [
        [year],
        {'frame': {'duration': 300, 'redraw': False},
         'mode': 'immediate',
       'transition': {'duration': 300}}
     ],
     'label': year,
     'method': 'animate'}
    sliders_dict['steps'].append(slider_step)

figure['layout']['sliders'] = [sliders_dict]

py.icreate_animations(figure, 'gapminder_example'+str(time.time()))

注:奇妙ですが、コードは上記のタイプミスでも正常に実行されました!

デモ 出力。

2
0xc0de

他の人が述べているように、ドキュメントは正しくありません。ただし、すべてのsliderslidersに置き換えるだけでもエラーが発生します。したがって、これは自己完結型の例です。

http://nbviewer.jupyter.org/Gist/empet/365cf202391bf7a58021388fadd52004

1
user14492

plotly >= 2.0.0が必要ですpip install plotly --upgradeを試してください

1
user2147028