Python Matplotlib Boxplot Color





.everyoneloves__top-leaderboard:empty,.everyoneloves__mid-leaderboard:empty,.everyoneloves__bot-mid-leaderboard:empty{ height:90px;width:728px;box-sizing:border-box;
}







10















I am trying to make two sets of box plots using Matplotlib. I want each set of box plot filled (and points and whiskers) in a different color. So basically there will be two colors on the plot



My code is below, would be great if you can help make these plots in color. d0 and d1 are each list of lists of data. I want the set of box plots made with data in d0 in one color, and the set of box plots with data in d1 in another color.



plt.boxplot(d0, widths = 0.1)
plt.boxplot(d1, widths = 0.1)









share|improve this question































    10















    I am trying to make two sets of box plots using Matplotlib. I want each set of box plot filled (and points and whiskers) in a different color. So basically there will be two colors on the plot



    My code is below, would be great if you can help make these plots in color. d0 and d1 are each list of lists of data. I want the set of box plots made with data in d0 in one color, and the set of box plots with data in d1 in another color.



    plt.boxplot(d0, widths = 0.1)
    plt.boxplot(d1, widths = 0.1)









    share|improve this question



























      10












      10








      10


      5






      I am trying to make two sets of box plots using Matplotlib. I want each set of box plot filled (and points and whiskers) in a different color. So basically there will be two colors on the plot



      My code is below, would be great if you can help make these plots in color. d0 and d1 are each list of lists of data. I want the set of box plots made with data in d0 in one color, and the set of box plots with data in d1 in another color.



      plt.boxplot(d0, widths = 0.1)
      plt.boxplot(d1, widths = 0.1)









      share|improve this question
















      I am trying to make two sets of box plots using Matplotlib. I want each set of box plot filled (and points and whiskers) in a different color. So basically there will be two colors on the plot



      My code is below, would be great if you can help make these plots in color. d0 and d1 are each list of lists of data. I want the set of box plots made with data in d0 in one color, and the set of box plots with data in d1 in another color.



      plt.boxplot(d0, widths = 0.1)
      plt.boxplot(d1, widths = 0.1)






      python matplotlib plot colors box






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited May 18 '18 at 15:04









      piman314

      3,6151130




      3,6151130










      asked Feb 2 '17 at 8:34









      user58925user58925

      4543617




      4543617
























          3 Answers
          3






          active

          oldest

          votes


















          13














          You can change the color of a box plot using setp on the returned value from boxplot() as follows:



          import matplotlib.pyplot as plt

          def draw_plot(data, edge_color, fill_color):
          bp = ax.boxplot(data, patch_artist=True)

          for element in ['boxes', 'whiskers', 'fliers', 'means', 'medians', 'caps']:
          plt.setp(bp[element], color=edge_color)

          for patch in bp['boxes']:
          patch.set(facecolor=fill_color)

          example_data1 = [[1,2,0.8], [0.5,2,2], [3,2,1]]
          example_data2 = [[5,3, 4], [6,4,3,8], [6,4,9]]

          fig, ax = plt.subplots()
          draw_plot(example_data1, 'red', 'tan')
          draw_plot(example_data2, 'blue', 'cyan')
          ax.set_ylim(0, 10)
          plt.show()


          This would display as follows:
          box plot demo






          share|improve this answer


























          • You missed the markeredgecolor of the fliers. ;-)

            – ImportanceOfBeingErnest
            Feb 2 '17 at 9:51











          • Thanks for helping :-)

            – user58925
            Feb 7 '17 at 6:57



















          13














          To colorize the boxplot, you need to first use the patch_artist=True keyword to tell it that the boxes are patches and not just paths. Then you have two main options here:




          1. set the color via ...props keyword argument, e.g.
            boxprops=dict(facecolor="red"). For all keyword arguments, refer to the documentation

          2. Use the plt.setp(item, properties) functionality to set the properties of the boxes, whiskers, fliers, medians, caps.

          3. obtain the individual items of the boxes from the returned dictionary and use item.set_<property>(...) on them individually. This option is detailed in an answer to the following question: python matplotlib filled boxplots, where it allows to change the color of the individual boxes separately.


          The complete example, showing options 1 and 2:



          import matplotlib.pyplot as plt
          import numpy as np
          data = np.random.normal(0.1, size=(100,6))
          data[76:79,:] = np.ones((3,6))+0.2

          plt.figure(figsize=(4,3))
          # option 1, specify props dictionaries
          c = "red"
          plt.boxplot(data[:,:3], positions=[1,2,3], notch=True, patch_artist=True,
          boxprops=dict(facecolor=c, color=c),
          capprops=dict(color=c),
          whiskerprops=dict(color=c),
          flierprops=dict(color=c, markeredgecolor=c),
          medianprops=dict(color=c),
          )


          # option 2, set all colors individually
          c2 = "purple"
          box1 = plt.boxplot(data[:,::-2]+1, positions=[1.5,2.5,3.5], notch=True, patch_artist=True)
          for item in ['boxes', 'whiskers', 'fliers', 'medians', 'caps']:
          plt.setp(box1[item], color=c2)
          plt.setp(box1["boxes"], facecolor=c2)
          plt.setp(box1["fliers"], markeredgecolor=c2)


          plt.xlim(0.5,4)
          plt.xticks([1,2,3], [1,2,3])
          plt.show()


          enter image description here






          share|improve this answer

































            2














            This question seems to be similar to that one (Face pattern for boxes in boxplots)
            I hope this code solves your problem



            import matplotlib.pyplot as plt

            # fake data
            d0 = [[4.5, 5, 6, 4],[4.5, 5, 6, 4]]
            d1 = [[1, 2, 3, 3.3],[1, 2, 3, 3.3]]

            # basic plot
            bp0 = plt.boxplot(d0, patch_artist=True)
            bp1 = plt.boxplot(d1, patch_artist=True)

            for box in bp0['boxes']:
            # change outline color
            box.set(color='red', linewidth=2)
            # change fill color
            box.set(facecolor = 'green' )
            # change hatch
            box.set(hatch = '/')

            for box in bp1['boxes']:
            box.set(color='blue', linewidth=5)
            box.set(facecolor = 'red' )

            plt.show()


            enter image description here






            share|improve this answer


























              Your Answer






              StackExchange.ifUsing("editor", function () {
              StackExchange.using("externalEditor", function () {
              StackExchange.using("snippets", function () {
              StackExchange.snippets.init();
              });
              });
              }, "code-snippets");

              StackExchange.ready(function() {
              var channelOptions = {
              tags: "".split(" "),
              id: "1"
              };
              initTagRenderer("".split(" "), "".split(" "), channelOptions);

              StackExchange.using("externalEditor", function() {
              // Have to fire editor after snippets, if snippets enabled
              if (StackExchange.settings.snippets.snippetsEnabled) {
              StackExchange.using("snippets", function() {
              createEditor();
              });
              }
              else {
              createEditor();
              }
              });

              function createEditor() {
              StackExchange.prepareEditor({
              heartbeatType: 'answer',
              autoActivateHeartbeat: false,
              convertImagesToLinks: true,
              noModals: true,
              showLowRepImageUploadWarning: true,
              reputationToPostImages: 10,
              bindNavPrevention: true,
              postfix: "",
              imageUploader: {
              brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
              contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
              allowUrls: true
              },
              onDemand: true,
              discardSelector: ".discard-answer"
              ,immediatelyShowMarkdownHelp:true
              });


              }
              });














              draft saved

              draft discarded


















              StackExchange.ready(
              function () {
              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f41997493%2fpython-matplotlib-boxplot-color%23new-answer', 'question_page');
              }
              );

              Post as a guest















              Required, but never shown

























              3 Answers
              3






              active

              oldest

              votes








              3 Answers
              3






              active

              oldest

              votes









              active

              oldest

              votes






              active

              oldest

              votes









              13














              You can change the color of a box plot using setp on the returned value from boxplot() as follows:



              import matplotlib.pyplot as plt

              def draw_plot(data, edge_color, fill_color):
              bp = ax.boxplot(data, patch_artist=True)

              for element in ['boxes', 'whiskers', 'fliers', 'means', 'medians', 'caps']:
              plt.setp(bp[element], color=edge_color)

              for patch in bp['boxes']:
              patch.set(facecolor=fill_color)

              example_data1 = [[1,2,0.8], [0.5,2,2], [3,2,1]]
              example_data2 = [[5,3, 4], [6,4,3,8], [6,4,9]]

              fig, ax = plt.subplots()
              draw_plot(example_data1, 'red', 'tan')
              draw_plot(example_data2, 'blue', 'cyan')
              ax.set_ylim(0, 10)
              plt.show()


              This would display as follows:
              box plot demo






              share|improve this answer


























              • You missed the markeredgecolor of the fliers. ;-)

                – ImportanceOfBeingErnest
                Feb 2 '17 at 9:51











              • Thanks for helping :-)

                – user58925
                Feb 7 '17 at 6:57
















              13














              You can change the color of a box plot using setp on the returned value from boxplot() as follows:



              import matplotlib.pyplot as plt

              def draw_plot(data, edge_color, fill_color):
              bp = ax.boxplot(data, patch_artist=True)

              for element in ['boxes', 'whiskers', 'fliers', 'means', 'medians', 'caps']:
              plt.setp(bp[element], color=edge_color)

              for patch in bp['boxes']:
              patch.set(facecolor=fill_color)

              example_data1 = [[1,2,0.8], [0.5,2,2], [3,2,1]]
              example_data2 = [[5,3, 4], [6,4,3,8], [6,4,9]]

              fig, ax = plt.subplots()
              draw_plot(example_data1, 'red', 'tan')
              draw_plot(example_data2, 'blue', 'cyan')
              ax.set_ylim(0, 10)
              plt.show()


              This would display as follows:
              box plot demo






              share|improve this answer


























              • You missed the markeredgecolor of the fliers. ;-)

                – ImportanceOfBeingErnest
                Feb 2 '17 at 9:51











              • Thanks for helping :-)

                – user58925
                Feb 7 '17 at 6:57














              13












              13








              13







              You can change the color of a box plot using setp on the returned value from boxplot() as follows:



              import matplotlib.pyplot as plt

              def draw_plot(data, edge_color, fill_color):
              bp = ax.boxplot(data, patch_artist=True)

              for element in ['boxes', 'whiskers', 'fliers', 'means', 'medians', 'caps']:
              plt.setp(bp[element], color=edge_color)

              for patch in bp['boxes']:
              patch.set(facecolor=fill_color)

              example_data1 = [[1,2,0.8], [0.5,2,2], [3,2,1]]
              example_data2 = [[5,3, 4], [6,4,3,8], [6,4,9]]

              fig, ax = plt.subplots()
              draw_plot(example_data1, 'red', 'tan')
              draw_plot(example_data2, 'blue', 'cyan')
              ax.set_ylim(0, 10)
              plt.show()


              This would display as follows:
              box plot demo






              share|improve this answer















              You can change the color of a box plot using setp on the returned value from boxplot() as follows:



              import matplotlib.pyplot as plt

              def draw_plot(data, edge_color, fill_color):
              bp = ax.boxplot(data, patch_artist=True)

              for element in ['boxes', 'whiskers', 'fliers', 'means', 'medians', 'caps']:
              plt.setp(bp[element], color=edge_color)

              for patch in bp['boxes']:
              patch.set(facecolor=fill_color)

              example_data1 = [[1,2,0.8], [0.5,2,2], [3,2,1]]
              example_data2 = [[5,3, 4], [6,4,3,8], [6,4,9]]

              fig, ax = plt.subplots()
              draw_plot(example_data1, 'red', 'tan')
              draw_plot(example_data2, 'blue', 'cyan')
              ax.set_ylim(0, 10)
              plt.show()


              This would display as follows:
              box plot demo







              share|improve this answer














              share|improve this answer



              share|improve this answer








              edited Feb 2 '17 at 9:08

























              answered Feb 2 '17 at 8:56









              Martin EvansMartin Evans

              28.6k133256




              28.6k133256













              • You missed the markeredgecolor of the fliers. ;-)

                – ImportanceOfBeingErnest
                Feb 2 '17 at 9:51











              • Thanks for helping :-)

                – user58925
                Feb 7 '17 at 6:57



















              • You missed the markeredgecolor of the fliers. ;-)

                – ImportanceOfBeingErnest
                Feb 2 '17 at 9:51











              • Thanks for helping :-)

                – user58925
                Feb 7 '17 at 6:57

















              You missed the markeredgecolor of the fliers. ;-)

              – ImportanceOfBeingErnest
              Feb 2 '17 at 9:51





              You missed the markeredgecolor of the fliers. ;-)

              – ImportanceOfBeingErnest
              Feb 2 '17 at 9:51













              Thanks for helping :-)

              – user58925
              Feb 7 '17 at 6:57





              Thanks for helping :-)

              – user58925
              Feb 7 '17 at 6:57













              13














              To colorize the boxplot, you need to first use the patch_artist=True keyword to tell it that the boxes are patches and not just paths. Then you have two main options here:




              1. set the color via ...props keyword argument, e.g.
                boxprops=dict(facecolor="red"). For all keyword arguments, refer to the documentation

              2. Use the plt.setp(item, properties) functionality to set the properties of the boxes, whiskers, fliers, medians, caps.

              3. obtain the individual items of the boxes from the returned dictionary and use item.set_<property>(...) on them individually. This option is detailed in an answer to the following question: python matplotlib filled boxplots, where it allows to change the color of the individual boxes separately.


              The complete example, showing options 1 and 2:



              import matplotlib.pyplot as plt
              import numpy as np
              data = np.random.normal(0.1, size=(100,6))
              data[76:79,:] = np.ones((3,6))+0.2

              plt.figure(figsize=(4,3))
              # option 1, specify props dictionaries
              c = "red"
              plt.boxplot(data[:,:3], positions=[1,2,3], notch=True, patch_artist=True,
              boxprops=dict(facecolor=c, color=c),
              capprops=dict(color=c),
              whiskerprops=dict(color=c),
              flierprops=dict(color=c, markeredgecolor=c),
              medianprops=dict(color=c),
              )


              # option 2, set all colors individually
              c2 = "purple"
              box1 = plt.boxplot(data[:,::-2]+1, positions=[1.5,2.5,3.5], notch=True, patch_artist=True)
              for item in ['boxes', 'whiskers', 'fliers', 'medians', 'caps']:
              plt.setp(box1[item], color=c2)
              plt.setp(box1["boxes"], facecolor=c2)
              plt.setp(box1["fliers"], markeredgecolor=c2)


              plt.xlim(0.5,4)
              plt.xticks([1,2,3], [1,2,3])
              plt.show()


              enter image description here






              share|improve this answer






























                13














                To colorize the boxplot, you need to first use the patch_artist=True keyword to tell it that the boxes are patches and not just paths. Then you have two main options here:




                1. set the color via ...props keyword argument, e.g.
                  boxprops=dict(facecolor="red"). For all keyword arguments, refer to the documentation

                2. Use the plt.setp(item, properties) functionality to set the properties of the boxes, whiskers, fliers, medians, caps.

                3. obtain the individual items of the boxes from the returned dictionary and use item.set_<property>(...) on them individually. This option is detailed in an answer to the following question: python matplotlib filled boxplots, where it allows to change the color of the individual boxes separately.


                The complete example, showing options 1 and 2:



                import matplotlib.pyplot as plt
                import numpy as np
                data = np.random.normal(0.1, size=(100,6))
                data[76:79,:] = np.ones((3,6))+0.2

                plt.figure(figsize=(4,3))
                # option 1, specify props dictionaries
                c = "red"
                plt.boxplot(data[:,:3], positions=[1,2,3], notch=True, patch_artist=True,
                boxprops=dict(facecolor=c, color=c),
                capprops=dict(color=c),
                whiskerprops=dict(color=c),
                flierprops=dict(color=c, markeredgecolor=c),
                medianprops=dict(color=c),
                )


                # option 2, set all colors individually
                c2 = "purple"
                box1 = plt.boxplot(data[:,::-2]+1, positions=[1.5,2.5,3.5], notch=True, patch_artist=True)
                for item in ['boxes', 'whiskers', 'fliers', 'medians', 'caps']:
                plt.setp(box1[item], color=c2)
                plt.setp(box1["boxes"], facecolor=c2)
                plt.setp(box1["fliers"], markeredgecolor=c2)


                plt.xlim(0.5,4)
                plt.xticks([1,2,3], [1,2,3])
                plt.show()


                enter image description here






                share|improve this answer




























                  13












                  13








                  13







                  To colorize the boxplot, you need to first use the patch_artist=True keyword to tell it that the boxes are patches and not just paths. Then you have two main options here:




                  1. set the color via ...props keyword argument, e.g.
                    boxprops=dict(facecolor="red"). For all keyword arguments, refer to the documentation

                  2. Use the plt.setp(item, properties) functionality to set the properties of the boxes, whiskers, fliers, medians, caps.

                  3. obtain the individual items of the boxes from the returned dictionary and use item.set_<property>(...) on them individually. This option is detailed in an answer to the following question: python matplotlib filled boxplots, where it allows to change the color of the individual boxes separately.


                  The complete example, showing options 1 and 2:



                  import matplotlib.pyplot as plt
                  import numpy as np
                  data = np.random.normal(0.1, size=(100,6))
                  data[76:79,:] = np.ones((3,6))+0.2

                  plt.figure(figsize=(4,3))
                  # option 1, specify props dictionaries
                  c = "red"
                  plt.boxplot(data[:,:3], positions=[1,2,3], notch=True, patch_artist=True,
                  boxprops=dict(facecolor=c, color=c),
                  capprops=dict(color=c),
                  whiskerprops=dict(color=c),
                  flierprops=dict(color=c, markeredgecolor=c),
                  medianprops=dict(color=c),
                  )


                  # option 2, set all colors individually
                  c2 = "purple"
                  box1 = plt.boxplot(data[:,::-2]+1, positions=[1.5,2.5,3.5], notch=True, patch_artist=True)
                  for item in ['boxes', 'whiskers', 'fliers', 'medians', 'caps']:
                  plt.setp(box1[item], color=c2)
                  plt.setp(box1["boxes"], facecolor=c2)
                  plt.setp(box1["fliers"], markeredgecolor=c2)


                  plt.xlim(0.5,4)
                  plt.xticks([1,2,3], [1,2,3])
                  plt.show()


                  enter image description here






                  share|improve this answer















                  To colorize the boxplot, you need to first use the patch_artist=True keyword to tell it that the boxes are patches and not just paths. Then you have two main options here:




                  1. set the color via ...props keyword argument, e.g.
                    boxprops=dict(facecolor="red"). For all keyword arguments, refer to the documentation

                  2. Use the plt.setp(item, properties) functionality to set the properties of the boxes, whiskers, fliers, medians, caps.

                  3. obtain the individual items of the boxes from the returned dictionary and use item.set_<property>(...) on them individually. This option is detailed in an answer to the following question: python matplotlib filled boxplots, where it allows to change the color of the individual boxes separately.


                  The complete example, showing options 1 and 2:



                  import matplotlib.pyplot as plt
                  import numpy as np
                  data = np.random.normal(0.1, size=(100,6))
                  data[76:79,:] = np.ones((3,6))+0.2

                  plt.figure(figsize=(4,3))
                  # option 1, specify props dictionaries
                  c = "red"
                  plt.boxplot(data[:,:3], positions=[1,2,3], notch=True, patch_artist=True,
                  boxprops=dict(facecolor=c, color=c),
                  capprops=dict(color=c),
                  whiskerprops=dict(color=c),
                  flierprops=dict(color=c, markeredgecolor=c),
                  medianprops=dict(color=c),
                  )


                  # option 2, set all colors individually
                  c2 = "purple"
                  box1 = plt.boxplot(data[:,::-2]+1, positions=[1.5,2.5,3.5], notch=True, patch_artist=True)
                  for item in ['boxes', 'whiskers', 'fliers', 'medians', 'caps']:
                  plt.setp(box1[item], color=c2)
                  plt.setp(box1["boxes"], facecolor=c2)
                  plt.setp(box1["fliers"], markeredgecolor=c2)


                  plt.xlim(0.5,4)
                  plt.xticks([1,2,3], [1,2,3])
                  plt.show()


                  enter image description here







                  share|improve this answer














                  share|improve this answer



                  share|improve this answer








                  edited May 23 '17 at 11:47









                  Community

                  11




                  11










                  answered Feb 2 '17 at 9:00









                  ImportanceOfBeingErnestImportanceOfBeingErnest

                  141k13165243




                  141k13165243























                      2














                      This question seems to be similar to that one (Face pattern for boxes in boxplots)
                      I hope this code solves your problem



                      import matplotlib.pyplot as plt

                      # fake data
                      d0 = [[4.5, 5, 6, 4],[4.5, 5, 6, 4]]
                      d1 = [[1, 2, 3, 3.3],[1, 2, 3, 3.3]]

                      # basic plot
                      bp0 = plt.boxplot(d0, patch_artist=True)
                      bp1 = plt.boxplot(d1, patch_artist=True)

                      for box in bp0['boxes']:
                      # change outline color
                      box.set(color='red', linewidth=2)
                      # change fill color
                      box.set(facecolor = 'green' )
                      # change hatch
                      box.set(hatch = '/')

                      for box in bp1['boxes']:
                      box.set(color='blue', linewidth=5)
                      box.set(facecolor = 'red' )

                      plt.show()


                      enter image description here






                      share|improve this answer






























                        2














                        This question seems to be similar to that one (Face pattern for boxes in boxplots)
                        I hope this code solves your problem



                        import matplotlib.pyplot as plt

                        # fake data
                        d0 = [[4.5, 5, 6, 4],[4.5, 5, 6, 4]]
                        d1 = [[1, 2, 3, 3.3],[1, 2, 3, 3.3]]

                        # basic plot
                        bp0 = plt.boxplot(d0, patch_artist=True)
                        bp1 = plt.boxplot(d1, patch_artist=True)

                        for box in bp0['boxes']:
                        # change outline color
                        box.set(color='red', linewidth=2)
                        # change fill color
                        box.set(facecolor = 'green' )
                        # change hatch
                        box.set(hatch = '/')

                        for box in bp1['boxes']:
                        box.set(color='blue', linewidth=5)
                        box.set(facecolor = 'red' )

                        plt.show()


                        enter image description here






                        share|improve this answer




























                          2












                          2








                          2







                          This question seems to be similar to that one (Face pattern for boxes in boxplots)
                          I hope this code solves your problem



                          import matplotlib.pyplot as plt

                          # fake data
                          d0 = [[4.5, 5, 6, 4],[4.5, 5, 6, 4]]
                          d1 = [[1, 2, 3, 3.3],[1, 2, 3, 3.3]]

                          # basic plot
                          bp0 = plt.boxplot(d0, patch_artist=True)
                          bp1 = plt.boxplot(d1, patch_artist=True)

                          for box in bp0['boxes']:
                          # change outline color
                          box.set(color='red', linewidth=2)
                          # change fill color
                          box.set(facecolor = 'green' )
                          # change hatch
                          box.set(hatch = '/')

                          for box in bp1['boxes']:
                          box.set(color='blue', linewidth=5)
                          box.set(facecolor = 'red' )

                          plt.show()


                          enter image description here






                          share|improve this answer















                          This question seems to be similar to that one (Face pattern for boxes in boxplots)
                          I hope this code solves your problem



                          import matplotlib.pyplot as plt

                          # fake data
                          d0 = [[4.5, 5, 6, 4],[4.5, 5, 6, 4]]
                          d1 = [[1, 2, 3, 3.3],[1, 2, 3, 3.3]]

                          # basic plot
                          bp0 = plt.boxplot(d0, patch_artist=True)
                          bp1 = plt.boxplot(d1, patch_artist=True)

                          for box in bp0['boxes']:
                          # change outline color
                          box.set(color='red', linewidth=2)
                          # change fill color
                          box.set(facecolor = 'green' )
                          # change hatch
                          box.set(hatch = '/')

                          for box in bp1['boxes']:
                          box.set(color='blue', linewidth=5)
                          box.set(facecolor = 'red' )

                          plt.show()


                          enter image description here







                          share|improve this answer














                          share|improve this answer



                          share|improve this answer








                          edited May 23 '17 at 10:30









                          Community

                          11




                          11










                          answered Feb 2 '17 at 9:07









                          Roman FursenkoRoman Fursenko

                          52127




                          52127






























                              draft saved

                              draft discarded




















































                              Thanks for contributing an answer to Stack Overflow!


                              • Please be sure to answer the question. Provide details and share your research!

                              But avoid



                              • Asking for help, clarification, or responding to other answers.

                              • Making statements based on opinion; back them up with references or personal experience.


                              To learn more, see our tips on writing great answers.




                              draft saved


                              draft discarded














                              StackExchange.ready(
                              function () {
                              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f41997493%2fpython-matplotlib-boxplot-color%23new-answer', 'question_page');
                              }
                              );

                              Post as a guest















                              Required, but never shown





















































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown

































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown







                              Popular posts from this blog

                              Monofisismo

                              Angular Downloading a file using contenturl with Basic Authentication

                              Olmecas