text
stringlengths 15
2.49M
|
---|
"Q: jQuery change href of parent link I am trying to change the href of the parent link to a header logo, but I am not successful. What am I doing wrong? Thanks!\nHTML:\n<a href=\"https://URL.IWANTO.CHANGE\">\n <img id=\"partner_logo\" src=\"/partner_logos/P2.png\" class=\"normal_logo\">\n</a>\n\nI have the id of the img, I want to change the src of the parent a. I have tried these with no error nor success:\njQuery(\"#partner_logo\").parent('a').attr('href', 'http://partner.web.site');\njQuery(\"#partner_logo\").closest('a').attr('href', 'http://partner.web.site');\n\n\nA: Works for me. You may want to change parent('a') to parent()\nhttp://jsfiddle.net/upnrv7t2/\n\nA: Your initial code is correct (using the ...parent('a')...).\nI suspect that you are calling the code at the wrong time. Is the logo HTML inserted by another piece of code on page load or is it rendered with the initial html?\nIn any case, your call to .attr() should probably be in a $('document').ready() call.\n$(document).ready(function () {\n jQuery(\"#partner_logo\").parent('a').attr('href', 'http://partner.web.site');\n alert('set logo on load');\n});\n\n\n$('#partner_logo').on('click', function () {\n jQuery(\"#partner_logo\").parent('a').attr('href', 'http://partner.web.site');\n alert('set logo on click');\n}); \n\n" |
"Q: adding a new image after a click i am trying to add a new image when i click the z pass button\nmy this part of the code is not working\nhttp://jsfiddle.net/UjJEJ/24/\n$(\".ctaSpecialOne\").click(function(){ \n alert(\"clicked\"); \n\n$(this).parent().unbind(\"mouseenter\").children(\"img\").attr(\"src\", \"http://www.onlinegrocerystore.co.uk/images/goodfood.jpg\"); \n\n\n });\n\n\nA: You need to traverse to the sibling a since that's where your image is\n$(this).parent().unbind(\"mouseenter\").siblings('a').children(\"img\").attr(\"src\", \"http://www.onlinegrocerystore.co.uk/images/goodfood.jpg\"); \n\nhttp://jsfiddle.net/WAvVw/ \nEDIT\nYou need to traverse to get the element which you bound hover to\n$(this)\n .closest('.specialHoverOne') // get element you bound hover to\n .unbind(\"mouseenter\") // unbind event\n .end() // start over at this\n .parent() // get parent\n .siblings('a') //find a sibling\n .children(\"img\") // get children img\n .attr(\"src\", \"http://www.onlinegrocerystore.co.uk/images/goodfood.jpg\"); // change src \n\nhttp://jsfiddle.net/mwPeb/ \nI'm sure there's a better way to traverse but I'm short on time right now \n" |
"Q: How to show table content based on the foreignId in Laravel? So I have a table called pekerjaan (work) and it is in an eloquent with another table called jeniskerja (type of work), jeniskerja hasMany pekerjaan, and pekerjaan belongsTo jeniskerja... I want to show the list of the work based on the type of the work which is the foreignId when the user click on the type shown below (if the type is A it will show list of works of type A), but the problem is I already shown the table based on another foreignId, in this case it is the penyedia (vendor)... So, at the moment the table in foreach section show all the list of works based on the penyedia_id (vendor_id)... How do I create another filter whereby when the user click on the type (in this case a card header) it will expand and show the list of works table based on the type they are clicking?\nHere is what my code looks like:\nAdminController\npublic function showpenyedia(Penyedia $penyedia){\n $pekerjaan = $penyedia->pekerjaans; //show pekerjaan(work) based on penyedia(vendor)\n\n $jeniskerja = Jeniskerja::all();\n \n return view('admin.showpenyedia', compact('penyedia','pekerjaan','jeniskerja'));\n }\n\ndetailpenyedia.php (this is where the table content is)\n@foreach ($jeniskerja as $jeniskerjas)\n<section class=\"content\">\n <div class=\"container-fluid\">\n <div class=\"card card-default collapsed-card\">\n <div class=\"card-header collapsed-card\">\n <h3 class=\"card-title\">\n <b>{{$jeniskerjas->nama_jenis}}</b> //show the name of the type\n </h3>\n \n <div class=\"card-tools\">\n <button type=\"button\" class=\"btn btn-tool\" data-card-widget=\"collapse\">\n <i class=\"fas fa-plus\"></i>\n </button>\n </div>\n </div>\n <div class=\"card-body table-responsive\">\n <table id=\"tabelpekerjaan\" class=\"table table-bordered\">\n <thead>\n <tr>\n <th style=\"width: 10px\" rowspan=\"2\">Tahun Anggaran</th>\n <th rowspan=\"2\">Tanggal Kontrak</th>\n <th rowspan=\"2\">Paket Pekerjaan</th>\n <th rowspan=\"2\">Nama Perusahaan</th>\n <th rowspan=\"2\">Lokasi Pekerjaan</th>\n <th rowspan=\"2\">Jenis Pekerjaan</th>\n <th rowspan=\"2\">HPS</th>\n <th rowspan=\"2\">Nilai</th>\n <th rowspan=\"2\">Dokumen</th>\n <th colspan=\"2\">Tanggal</th>\n </tr>\n\n <tr>\n <td>Tgl Buat</td>\n <td>Tgl Update</td>\n </tr>\n </thead>\n <tbody>\n @php $no = 1; /*$totalNilai = 0.0;*/ @endphp\n @foreach ($pekerjaan as $pekerjaans)\n <tr>\n <td>{{$pekerjaans->tanggal->format('Y')}}</td>\n <td>{{$pekerjaans->tanggal->format('d/m/Y')}}</td>\n <td>{{$pekerjaans->pekerjaan}}</td>\n <td>{{$pekerjaans->penyedia->nama}}</td>\n <td>{{$pekerjaans->lokasi}}</td>\n <td>{{$pekerjaans->jeniskerja->nama_jenis}}</td>\n <td>Rp. {{number_format($pekerjaans->hps,0,',',',')}}</td>\n @php\n $pekerjaans->nilai_total = $pekerjaans->nilai_1 + $pekerjaans->nilai_2 + $pekerjaans->nilai_3 + $pekerjaans->nilai_4;\n @endphp\n <td>{{$pekerjaans->nilai_total}}</td>\n <td><a href=\"{{ route('pekerjaans.download', $pekerjaans->id) }}\"><u>{{$pekerjaans->status}}</u></a></td>\n <td>\n \n </td>\n <td>\n \n \n </td>\n </tr>\n @endforeach\n </tbody>\n </table>\n </div>\n </div>\n </div>\n</section>\n@endforeach \n\nHere is how my page look like atm:\n\n" |
"Q: React Dynamic class toggle multiple Hello I basically want to toggle multiple div from active to inactive based on id or key.\nWhy cant i do something like this ?\n<div className={ (activeId === 2? 'activecolumn' : 'inactivecolumn') && 'card middlecolumn mb-10 pt-2 pb-2 pl-2' } id=\"2\" onClick={toggleMiddle.bind( 2)} >\n\nI had to do this\n<div className={ (activeId === 2? 'activecolumn card middlecolumn mb-10 pt-2 pb-2 pl-2' : 'inactivecolumn card middlecolumn mb-10 pt-2 pb-2 pl-2') } id=\"2\" onClick={toggleMiddle.bind( 2)} >\n\nI wish this was easy to do inline it's not jquery anymore.\n\nA: You can simplify this by using template literals\n<div \n className={`${activeId === 2 ? 'activecolumn' : 'inactivecolumn'} card middlecolumn mb-10 pt-2 pb-2 pl-2`} \n id=\"2\" \n onClick={toggleMiddle.bind(2)}\n> \n ... \n</div>\n\nThe 1st one is incorrect because if you notice you are doing something like 'myTruthyString' && 'another string'. Javascript will return the last truthy value when using && operator with strings, in this case it will only return the 'another string'.\nThis question/answer might explain it a little better than I did.\n" |
"Q: How to exchange content depending on a boolean? I want to exchanges some content in my page.html depending if an boolean is true or false. So I've seen that you could create things like this with the <ng-content>but somehow this didn't work out. I get this error: Error: Template parse errors: <ng-content> element cannot have content. I also notice that there has to be some way to delete the old content.\npage.html\n <ion-card>\n <!-- content to move away when bool true-->\n </ion-card>\n\n <div *ngIf=\"!checked\">\n <ng-content>\n <ion-card>\n<!-- new content when bool false-->\n</ion-card>\n </ng-content> \n </div> \n\n\nA: Would having two separate conditionals work for you?\n<ion-card *ngIf=\"checked\">\n <!-- content to move away when bool true-->\n</ion-card>\n\n<ion-card *ngIf=\"!checked\">\n <!-- new content when bool false-->\n</ion-card>\n\nIf that does not work, you could use a switch\n<div [ngSwitch]=\"checked\">\n <ion-card *ngSwitchCase=\"true\">\n <!-- content to move away when bool true-->\n </ion-card>\n <ion-card *ngSwitchCase=\"false\">\n <!-- new content when bool false-->\n </ion-card>\n</div>\n\n" |
"Q: Access both indices in a nested loop in aurelia.io I just started learning JavaScript with Aurelia.io and I am currently trying to access the index of a 2D-Array that is rendered by Aurelia in order to bind the id attribute to the outer and inner index of the loop. The 2D-Array is rendered into a table with two loops:\n<table>\n <tr repeat.for=\"field of fields\">\n <td repeat.for=\"f of field\">\n <div class =\"boardcell\" id.one-time=\"$index\" click.delegate=\"klick($index)\">${f}</div>\n </td>\n </tr>\n</table>\n\nI am currently only able to access the index of the inner loop. Is there a way I can access the index of the outer loop, too?\nThanks!\n\nA: As stated in the comment, you have to use the $parent to access the parent's scope.\nConsider this example:\n<template>\n <div repeat.for=\"y of 5\">\n <div repeat.for=\"x of 5\">\n ${$index} * ${$parent.$index} = ${$index * $parent.$index}\n </div>\n </div>\n</template>\n\n\nA: Use $parent.$index for parent repeat.for index\nExample Plunker\n" |
"Q: I don't understand setJarByClass in Hadoop Can you explain the setJarByClass method in Hadoop to me?\nI don't understand why we have to set a job using a JAR. What's the meaning of this procedure? Why do we need to identify a job by a JAR?\nI read other answers:\nHadoop query regarding setJarByClass method of Job class\nsetJarByClass() in Hadoop\nBut it's still not clear to me.\n" |
"Q: How to disable hadoop combiner? In wordcount example, the combiner is explicitly set in\njob.setCombinerClass(IntSumReducer.class);\nI would like to disable the combiner so that the output of mapper is not processed by the combiner. Is there a way to do that using MR config files (i.e. without modifying and recompiling the wordcount code)?\nThanks\n\nA: Suppose this is your command line\nhadoop jar your_hadoop_job.jar your_mr_driver \\\ncommand_line_arg1 command_line_arg2 command_line_arg3 \\\n-libjars all_your_dependency_jars\n\nHere following parameters \n\n\n*\n\n*command_line_arg1\n\n*command_line_arg2\n\n*command_line_arg3\n\n\nwill be passed on to your main method as arg[0], arg[1] and arg[3] respectively. Assuming arg[0] and arg[1] is used for identifying input and output folder. You can use arg[3] to pass a boolean flag like ('1' or 'true' or 'yes') to understand if you want to use combiner and accordingly set combiner. Example below (default...it won't set combiner class)\nif ( \"YyesTrue1\".contains(arg[3])){\n job.setCombinerClass(IntSumReducer.class);\n}\n\n" |
"Q: Toggle Display of Only Nearest Element in Aurelia I could easily do this with vanilla JS or jQuery but wondering what the \"correct\" way to simply achieve the following is in Aurelia.\nI have a ton of \"cards\" with toggle buttons to show that cards \"hidden-info\". With the way that I'm currently doing it, clicking any \"expand-toggle\" display all cards \"hidden-info\".\nWhat is the right way to toggle only the nearest sibling with Aurelia?\nHere's my example.html:\n<div class=\"inner\">\n <i class=\"expand-toggle\" click.delegate=\"expandCard()\"></i>\n <h3>Title</h3>\n <div if.bind=\"cardExpanded\" class=\"au-animate hidden-info\">\n </div>\n</div>\n\nAnd my example.js:\nexport class Example {\n constructor() {\n this.cardExpanded = false;\n }\n\n expandCard() {\n this.cardExpanded = true;\n }\n}\n\nAlso, how would I then hide it on the next click. This is basic but I am new to Aurelia. Thanks!\n\nA: I would try \nexample.html:\n<div class=\"inner\">\n <i class=\"expand-toggle\" click.delegate=\"expandCard(this)\"></i>\n <h3>Title</h3>\n <div if.bind=\"cardExpanded\" class=\"au-animate hidden-info\">\n </div>\n</div>\n\nexample.js:\nexport class Example {\n constructor() {\n this.cardExpanded = false;\n }\n\n expandCard(sender) {\n sender.cardExpanded = !sender.cardExpanded;\n }\n}\n\n" |
"Q: Adding parallax effect to multiple banners I have 5 banners that I would like to add a translate/parallax effect to. I am using translate transform to slowly move the background image of the banner against the text that is on top of the banner. The javascript I have now works perfectly for the first banner image, but causes the parallax effect to start too early for the remaining banners, which causes the other banner images to move too down. How can I get the remaining banners to start the translate effect as I scroll down to them?\nHTML:\n<section class=\"banner-1\">\n <div class=\"hero-bg\"></div>\n <div class=\"container\">\n <div class=\"row\">\n <h1>Lorem Ipsum</h1>\n </div>\n </div>\n</section>\n\n<section class=\"banner-2\">\n <div class=\"hero-bg\"></div>\n <div class=\"container\">\n <div class=\"row\">\n <h1>Lorem Ipsum</h1>\n </div>\n </div>\n</section>\n\n<section class=\"banner-3\">\n <div class=\"hero-bg\"></div>\n <div class=\"container\">\n <div class=\"row\">\n <h1>Lorem Ipsum</h1>\n </div>\n </div>\n</section>\n\nJS:\n$(window).scroll(function (event) {\n var scrollPos = $(this).scrollTop();\n var calc = String(scrollPos/10);\n\n if (scrollPos > lastScrollTop) {\n $(\".hero-bg\").css({\n transform: 'translate3d(0px,'+calc+'px, 0)'\n });\n } \n else {\n $(\".hero-bg\").css({\n transform: 'translate3d(0px,'+calc+'px, 0)'\n });\n }\n\n lastScrollTop = scrollPos;\n});\n\n" |
"Q: Jquery div hiding when it shouldn't I have an image and when I hover over it the options appear below it. When i move down to the options they hide. I have set the slideUp not to happen until the user moves away from the parent div\n$('.file-options').hide();\n$('.file a img').mouseover(function(){\n $(this).closest('.file').find('.file-options').slideDown();\n});\n$('.file a img').closest('.file').mouseout(function(){\n $(this).find('.file-options').slideUp();\n});\n\n<div class=\"document\">\n <div class=\"file\">\n <a href=\"#\"><img src=\"http://www.dermalog.com/images/pdf-icon.png\" alt=\"\"></a>\n <div class=\"file-options showhouse-text\">\n <a href=\"#\" onclick=\"return confirm('Are you sure you want to delete this file?');\" class=\"show-tooltip\" data-html=\"true\" data-placement=\"top\" data-original-title=\"Delete File\">D</a>\n <a href=\"#\" class=\"show-tooltip\" data-html=\"true\" data-placement=\"top\" data-original-title=\"Edit File\">E</a>\n </div>\n </div>\n</div>\n\nHere is the jsfiddle http://jsfiddle.net/5vAFh/2/\n\nA: The mouseout event from the <img> is bubbling up to the .file element, and therefore triggering your code to hide the <div>. Use the mouseleave event (which doesn't react to events bubbling) instead:\n$('.file a img').closest('.file').mouseleave(function(){\n $(this).find('.file-options').slideUp();\n});\n\nDemo\n\nA: or you could do this: demo http://jsfiddle.net/USBRy/\ncheck for if(!$(this).is(':hover')) { \nHope this helps :)\ncode\n$('.file-options').hide();\n\n$('.file a img').mouseover(function () {\n $(this).closest('.file').find('.file-options').slideDown();\n});\n\n$('.file a img').closest('.file').mouseout(function (e) {\n if(!$(this).is(':hover')) {\n $(this).find('.file-options').slideUp();\n }\n});\n\n\nA: You were almost there.. Try this:\n$('.file-options').hide();\n\n$('.file').mouseover(function(){\n $(this).find('.file-options').slideDown();\n});\n\n$('.file').mouseout(function(e){\n if($(e.toElement).parents('.file').length < 1) {\n $(this).find('.file-options').slideUp();\n };\n});\n\nhttp://jsfiddle.net/5vAFh/12/\n" |
"Q: insert div in article with just javascript can anyone help me with this, I want to be able to insert divs in an article that shows an Ad after certain <p> points.\ni have it sort of working with using jquery but want a pure javascript way to do it if possible.\nthis is what i have at the moment\n$(document).ready(function(){\n $('<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvidSlot\"></div><div>').insertAfter('#mvp-content-main p:nth-child(1) ');\n $('<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvid1Slot\"></div><div>').insertAfter('.mvp-main-box p:nth-child(20) ');\n $('<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvid2Slot\"></div><div>').insertAfter('.mvp-main-box p:nth-child(40) ');\n $('<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvid3Slot\"></div><div>').insertAfter('.mvp-main-box p:nth-child(60) ');\n $( \"<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvidSlot\"></div><div>\" ).insertAfter( \"div.mvp-content-main p:eq(1)\" );\n});\n\nproblem is: it seems to ad one random div containing \"advertisement\" further down the page and doesn't show the actual advert there for some reason. I'm thinking doing it with just javascript means i don't have to load jquery, getting rid of this \"extra advertisement\" and makes page load a bit faster:\n\nA: Try this (Pure JS solution):\nwindow.addEventListener('load',function(){\n document.querySelector('#mvp-content-main p:nth-child(1)').insertAdjacentHTML('afterend','<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvidSlot\"></div><div>');\n document.querySelector('.mvp-main-box p:nth-child(20)').insertAdjacentHTML('afterend','<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvid1Slot\"></div><div>');\n document.querySelector('.mvp-main-box p:nth-child(40) ').insertAdjacentHTML('afterend','<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvid2Slot\"></div><div>');\n document.querySelector('.mvp-main-box p:nth-child(60) ').insertAdjacentHTML('afterend','<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvid3Slot\"></div><div>');\n document.querySelector('div.mvp-content-main p:eq(1)').insertAdjacentHTML('afterend','<div class=\"ad-reporter-ahytrfg35423\">Advertisement<div id=\"inreedvidSlot\"></div><div>' );\n})\n\n" |
"<a\n mat-list-item\n class=\"{{grayout}}\"\n [ngStyle]=\"{'padding-left': (item.depth * 10) + 'px'}\"\n (click)=\"onItemSelected(item)\"\n [ngClass]=\"'x'\"\n>\n <!-- Why does removing the ngClass from above remove the ngStyle settings ???!!!-->\n <mat-icon class=\"routeIcon\">{{item.iconName}}</mat-icon>\n <span class=\"{{displayNameClass}}\">{{item.displayName}}</span>\n <span fxFlex *ngIf=\"item.children && item.children.length\">\n <span fxFlex></span>\n <mat-icon [@indicatorRotate]=\"item.expanded ? 'expanded': 'collapsed'\"> expand_more </mat-icon>\n </span>\n</a>\n\n<div *ngIf=\"item.expanded\">\n <gm-menu-list-item *ngFor=\"let child of item.children\" [item]=\"child\"> </gm-menu-list-item>\n</div>\n" |
"Q: IE click on child does not focus parent, parent has tabindex=0 EDIT:\nSee my own answer below: https://stackoverflow.com/a/25953721/674863\nDemo:\nhttp://jsfiddle.net/fergal_doyle/anXM3/1/\nI have a div with tabindex=0, and a child div with a fixed width. When I click on the child div I expect the outer div to recieve focus. This works fine with Firefox and Chrome, and only works with Internet Explorer (7 to 10) when the child div has no width applied. \nWith a width, clicking the child (white) div does not give focus to the outer one, and if the outer one previously had focus, clicking the child causes the outer to blur, which is a pain for what I want to do.\nHTML:\n<div tabindex=\"0\" id=\"test\">\n <div>Click</div>\n</div> \n\nCSS:\ndiv {\n border:1px solid #000;\n padding:20px;\n background-color:red;\n}\ndiv div {\n padding:8px;\n background-color:#FFF;\n cursor:default;\n width:200px;\n}\n\nJS:\nvar $div = $(\"#test\"),\n $inner = $(\"#test > div\");\n\n$div.on(\"blur\", function (e) {\n console.log(\"blur\");\n})\n .on(\"focus\", function (e) {\n console.log(\"focus\")\n});\n\n\nA: Intercepting events and using JS to set focus ended up causing more problems.\nI eventually figured out that using \"normal\" tags like divs or spans makes IE behave incorrectly. But use something like var or any custom tag and IE starts to behave like a proper browser.\nSee updated example: http://jsfiddle.net/fergal_doyle/anXM3/16/\nHTML:\n<div tabindex=\"0\" id=\"test\">\n <var class=\"iesux\">Works</var>\n <foo class=\"iesux\">Works</foo>\n <div class=\"iesux\">Doesn't work in IE</div>\n <span class=\"iesux\">Doesn't work in IE</span>\n</div>\n\nCSS:\ndiv {\n border:1px solid #000;\n padding:20px;\n background-color:red;\n}\n.iesux {\n border:1px solid #000;\n display:block;\n padding:8px;\n background-color:#FFF;\n cursor:default;\n width:200px;\n}\n\nJS:\ndocument.createElement(\"foo\");\n\nvar $div = $(\"#test\");\n\n$div.on(\"blur\", function (e) {\n console.log(\"blur\");\n})\n .on(\"focus\", function (e) {\n console.log(\"focus\")\n});\n\n\nA: Have you tried to add :\n$inner.click(function() {\n $div.focus();\n});\n\nand to prevent the outer div to blur after a focus use e.stopPropagation()\nUPDATE: Since the click event fires after the blur I used the Mousedown event, because it fires before blur.\nPS: Don't forget to handle keyboard events keydown if you want also to catch blurs fired by the keyboard.\nhttp://jsfiddle.net/ouadie/x4nAX/\n\nA: Clicking on an element with tabindex=0 in IE will result in the element gaining invisible focus. The way to gain visible focus is by programmatically calling focus() while the element does not already have invisible focus. Since focus happens right after mousedown, this means we need:\n$('#parent').mousedown(function(e){\n var parent = $(e.currentTarget)\n if (!parent.is(':focus')) {\n parent.focus()\n }\n}).focus(function(e){\n console.log('focused')\n}).blur(function(e){\n console.log('blurred')\n})\n\nIf the child is inline or a block with no width set, the effect is the same as clicking directly on the parent. However, if the child is an inline-block or a block with a width set, and the parent already had focus, then the parent will blur() right after the mousedown handlers are executed. We have three different ways to proceed, with different tradeoffs.\nOne option is to merely suppress the blur with preventDefault(); the virtue of this approach is that blur() will never fire and focus() will not fire redundantly, which allows us to write straightforward logic in our focus and blur handlers; the vice of this approach is that it disables text selection:\n$('#child').mousedown(function(e){\n e.preventDefault()\n})\n$('#parent').mousedown(function(e){\n var parent = $(e.currentTarget)\n if (!parent.is(':focus')) {\n parent.focus()\n }\n}).focus(function(e){\n console.log('focused')\n}).blur(function(e){\n console.log('blurred')\n})\n\nIf we don't want to disable text selection, another option is to focus on the parent from the child's mouseup handler; however, this way the parent will blur and then focus again, which prevents us from knowing when a focus or blur is \"real\" rather than merely a transient consequence of our focus-propagation logic:\n$('#child').mouseup(function(e){\n $(e.currentTarget).closest('[tabindex]').focus()\n})\n$('#parent').mousedown(function(e){\n var parent = $(e.currentTarget)\n if (!parent.is(':focus')) {\n parent.focus()\n }\n}).focus(function(e){\n console.log('focused')\n}).blur(function(e){\n console.log('blurred')\n})\n\nThe third option has the virtues of both of the above approaches, but is the most complicated logically:\n$('#parent').mousedown(function(e){\n var parent = $(e.currentTarget)\n var parentWasClicked = parent.is(e.target)\n var parentHasFocus = parent.is(':focus')\n if (parentWasClicked && !parentHasFocus) {\n parent.focus()\n } else if (parentHasFocus && !parentWasClicked) {\n window.ignoreFocusChanges = true\n }\n})\n.mouseup(function(e){\n var parent = $(e.currentTarget)\n if (!parent.is(':focus')) {\n parent.focus()\n }\n})\n.blur(function(e){\n if (window.ignoreFocusChanges) {\n return\n }\n console.log('blurred')\n})\n.focus(function(e){\n if (window.ignoreFocusChanges) {\n window.ignoreFocusChanges = false\n return\n }\n console.log('focused')\n})\n\n\nA: Let root be your #test div\nfunction prevent_blur_in_subtree = function (event) {\n if (event.originalEvent && event.target != root.get(0) && $(event.target).closest(root).size() == 1) {\n $(window).one(\"mousedown\", prevent_blur_in_subtree);\n event.stopPropagation();\n event.preventDefault();\n return false;\n }\n}\nroot.bind(\"click\", function () {\n if (!$(this).is(\":focus\")) {\n $(this).trigger(\"focus\");\n }\n})\n.bind(\"focus\", function () {\n $(window).one(\"mousedown\", prevent_blur_in_subtree);\n});\n\nYou should use event.stopPropagation() in any click in root, that should not force focus event.\nThis problem is one of the great amount of problems in any IE (5-11). You can see that IE's source code was not cleaned since 1999. I am laughing when people are talking about \"IE 11 is a modern browser\" or \"IE 11 care about standards\".\n\nA: This question is old, but I just came across this problem and the following solution works in IE11 and is much simpler than any other:\n.iesux {\n border:1px solid #000;\n display:block;\n padding:8px;\n background-color:#FFF;\n cursor:default;\n width:200px;\n pointer-events: none;\n}\n\nIt's not supported in IE<11 unfortunately but if you can get away with that it's by far the easiest.\nhttp://jsfiddle.net/anXM3/22/\n" |
"Q: images on click When I hover a number a rating shows, but when I click on that number the rating does not stay visible. For some reason it works fine when I user background color instead of background url. Can someone please help me with this?\nThe end result should be as followed:\n1 - hover an number and a rating image should appear.\n2 - when a number is selected, that rating images should stay visible.\n3 - when another number is selected that rating image should appear while the previous image fades.\nHere is a demo link.\n\nA: How's this?\nhttp://jsfiddle.net/uCZ6q/\nHTML:\n<div class=\"button\">\n <a href=\"#\"><div class=\"child1\">1</div></a>\n <a href=\"#\"><div class=\"child2\">2</div></a>\n <a href=\"#\"><div class=\"child3\">3</div></a>\n <a href=\"#\"><div class=\"child4\">4</div></a>\n <a href=\"#\"><div class=\"child5\">5</div></a>\n</div>\n\nCSS:\n.highlight \n{ background: url(\"http://cuuzo.com/level5.png\") no-repeat 0 0; display: block; }\n\n.child1:hover, .child2:hover, .child3:hover, .child4:hover, .child5:hover \n{ background: url(\"http://cuuzo.com/level5.png\") no-repeat 0 0; }\n\nScript: \n$(\"a\").click(function(){\n $(\".highlight\").removeClass('highlight')\n $(this).addClass('highlight');\n});\n\n\nA: $(\"a\").click(function(){\n $(\"a div\").removeClass('highlight')\n $(this).find(\"div\").addClass('highlight');\n});\n\n" |
"Q: Zoom effect on click Please help me!\nHow to create effect on JS and CSS when I select two cards, after it they scale and align center of the screen regardless of where they was before - https://skr.sh/sGjqBr6sgQz\nAnd after click on backdrop, the cards return to their positions.\nFor example fancybox gallery effect.\nHow to create effect on JS and CSS when I select two cards, after it they scale and align center of the screen regardless of where they was before - https://skr.sh/sGjqBr6sgQz\nAnd after click on backdrop, the cards return to their positions.\nFor example fancybox gallery effect.\n\n\n const cards = document.querySelectorAll('.cards-list__item')\n\n cards.forEach(card => {\n card.addEventListener('click', function () {\n this.classList.toggle('_active')\n })\n })\n.cards-list {\n grid-template-columns: repeat(16, 1fr);\n display: grid;\n}\n\n.cards-list__item {\n opacity: .9;\n cursor: pointer;\n filter: grayscale(.3);\n margin: 0 4px 4px 0;\n transition: var(--agds-transition-all);\n}\n\n.cards-list__item:hover,\n.cards-list__item._active {\n opacity: 1;\n filter: grayscale(0);\n}\n\n.cards-list__item._active {\n transform: scale(1.2);\n z-index: 2;\n}\n<div class=\"cards-list\">\n <div class=\"cards-list__item list-item\" id=\"ace-diamonds\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/ace-diamonds.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"ace-spades\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/ace-spades.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"ace-hearts\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/ace-hearts.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"ace-clubs\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/ace-clubs.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"king-diamonds\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/king-diamonds.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"king-spades\">\n\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/king-spades.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"king-hearts\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/king-hearts.svg\" loading=\"lazy\">\n </figure>\n </div>\n <div class=\"cards-list__item list-item\" id=\"king-clubs\">\n <!-- Image -->\n <figure class=\"list-item__img _ibg-contain\">\n <img src=\"https://jack.andygroove.com/wp-content/uploads/2022/11/king-clubs.svg\" loading=\"lazy\">\n </figure>\n </div>\n</div>\n\n\n" |
"Q: Highlighting div element on mouse over with certain class in javascript I'm trying to highlight certain div element when mouse hovers over it with spesific class. I want the whole div with class Test to be highlighted on mouse over and none of the children in the div (the span) or the div with class Main.\nCurrently it highlights anything inside the div on mouse over as well.\n\n\nvar linkit = document.getElementsByClassName(\"Test\");\nfor (var i = 0; i < linkit.length; i++) {\n linkit[i].addEventListener(\"mouseover\", function (event) {\n event.target.style.backgroundColor = \"#ffcc00\";\n\n //some things I tried\n //event.target.parentNode.style.backgroundColor = \"#ffcc00\";\n //event.target.childNodes[0].style.backgroundColor = \"#ffcc00\";\n\n //there will be more stuff in here, triggered by the event\n });\n}\n\nvar linkit = document.getElementsByClassName(\"Test\");\nfor (var i = 0; i < linkit.length; i++) {\n linkit[i].addEventListener(\"mouseout\", function (event) {\n event.target.style.backgroundColor = \"transparent\";\n\n //some things I tried\n //event.target.parentNode.style.backgroundColor = \"transparent\";\n //event.target.childNodes[0].style.backgroundColor = \"transparent\";\n\n //there will be more stuff in here, triggered by the event\n });\n}\n<!DOCTYPE html>\n<html>\n<head>\n <meta charset=\"utf-8\" />\n <title></title>\n</head>\n<body>\n\n\n <div style=\"position: absolute; left: 540px; top: 0px;\">\n <div class=\"Main\">\n\n <div class=\"Test Test0\">\n <span>Text0</span>\n <span>T</span>\n <span>A</span>\n </div>\n <div class=\"Test Test1\">\n <span>Text1</span>\n <span>T</span>\n <span>A</span>\n </div>\n <div class=\"Test Test2\">\n <span>Text2</span>\n <span>T</span>\n <span>A</span>\n </div>\n </div>\n </div>\n <script src=\"https://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js\"></script>\n</body>\n</html>\n\n\nThanks for any help!\n\nA: This is due to event-capturing (a brief description of order here), event bound to the parent element is propagated to the DOM tree beneath. \nSimply replace event.target with this.\nDemo\n\n\nvar linkit = document.getElementsByClassName(\"Test\");\nfor (var i = 0; i < linkit.length; i++) {\n linkit[i].addEventListener(\"mouseover\", function (event) {\n this.style.backgroundColor = \"#ffcc00\";\n });\n}\n\nvar linkit = document.getElementsByClassName(\"Test\");\nfor (var i = 0; i < linkit.length; i++) {\n linkit[i].addEventListener(\"mouseout\", function (event) {\n this.style.backgroundColor = \"transparent\";\n });\n}\n<!DOCTYPE html>\n<html>\n<head>\n <meta charset=\"utf-8\" />\n <title></title>\n</head>\n<body>\n\n\n <div style=\"position: absolute; left: 540px; top: 0px;\">\n <div class=\"Main\">\n\n <div class=\"Test Test0\">\n <span>Text0</span>\n <span>T</span>\n <span>A</span>\n </div>\n <div class=\"Test Test1\">\n <span>Text1</span>\n <span>T</span>\n <span>A</span>\n </div>\n <div class=\"Test Test2\">\n <span>Text2</span>\n <span>T</span>\n <span>A</span>\n </div>\n </div>\n </div>\n <script src=\"https://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js\"></script>\n</body>\n</html>\n\n\n\nA: Why don't you just use css with :hover? That would be much faster.\n.Test {\n background-color: transparent;\n}\n\n.Test:hover {\n background-color: #ffcc00;\n}\n\n\nA: \n\nvar linkit = document.querySelectorAll(\".Test\");\nfunction isInside(node, target) {\n for (; node != null; node = node.parentNode)\n if (node == target) return true;\n }\n \n linkit.forEach(function(element) {\n element.addEventListener(\"mouseover\", function(event) {\n if (!isInside(event.relatedTarget, element))\n element.style.backgroundColor = \"#ffcc00\";\n });\n element.addEventListener(\"mouseout\", function(event) {\n if (!isInside(event.relatedTarget,element))\n element.style.backgroundColor = \"rgba(255, 255, 255, .4)\";\n })\n})\n<!DOCTYPE html>\n<html>\n<head>\n <meta charset=\"utf-8\" />\n <title></title>\n</head>\n<body>\n\n\n <div style=\"position: absolute; left: 540px; top: 0px;\">\n <div class=\"Main\">\n\n <div class=\"Test Test0\">\n <span>Text0</span>\n <span>T</span>\n <span>A</span>\n </div>\n <div class=\"Test Test1\">\n <span>Text1</span>\n <span>T</span>\n <span>A</span>\n </div>\n <div class=\"Test Test2\">\n <span>Text2</span>\n <span>T</span>\n <span>A</span>\n </div>\n </div>\n </div>\n <script src=\"https://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js\"></script>\n</body>\n</html>\n\n\n" |
"Q: using javascript container blinking and remove and add CSS classes at same time when hover over another child container I have a problem where I'm making a card photo 1 that contains an invisible child container that has buttons and when mouse over it appears above the parent element photo 2, I have mouse out event that hides the child div and the problem is that the event occurs also when the mouse over the child div which cause the blinking of the child div (add CSS class that makes it visible and removes it at the same time, check attached gif)\n\n\naddHandlerHoverCardView(handler) {\n\n var card;\n // parent element is movie-list\n\n this._parentElement.addEventListener(\"mouseover\", function (e) {\n card = e.target.closest(\".card\");\n if (card != null) {\n handler(card, 'show');\n }\n })\n this._parentElement.addEventListener('mouseout', function (e) {\n const data = e.target.closest('.hover-div');\n if (data != null) {\n handler(card, 'hide');\n }\n })\n}\n<div class=\"movie-list\">\n <div class=\"movie-details\">\n\n <div class=\"card\"\n onmouseout=\"hideBottomCard()\" onmouseover=\"showBottomCard()\">\n <img src=\"image\\176630.jpg\" alt=\"\">\n <div class=\"hover-div\">\n <div class=\"item\">\n <img src=\"image\\active-my-list.png\" alt=\"\">\n <img src=\"image\\active-favourite.png\" alt=\"\">\n <img src=\"image\\active-watch-later.png\" alt=\"\">\n </div>\n </div>\n </div>\n <h5>2015 / Fiction, Drama</h5>\n <h4>The Wolf Of Wall Street</h4>\n </div>\n</div>\n\n\n\nA: You can try adding the onmouseout and onmouseover attr to the image, not the div.\n<div class=\"movie-list\">\n\n<div class=\"card\"\n >\n <img src=\"image\\176630.jpg\" alt=\"\" onmouseout=\"hideBottomCard()\" onmouseover=\"showBottomCard()\">\n <div class=\"hover-div\">\n <div class=\"item\">\n <img src=\"image\\active-my-list.png\" alt=\"\">\n <img src=\"image\\active-favourite.png\" alt=\"\">\n <img src=\"image\\active-watch-later.png\" alt=\"\">\n </div>\n </div>\n</div>\n<h5>2015 / Fiction, Drama</h5>\n<h4>The Wolf Of Wall Street</h4>\n\n" |
"Q: Problem with getting params from paramMap So people i trying to catch a ID on the URL with paramMap but it always returns null anyone can figure the problem?\nComponent.ts\nimport { Component, OnInit } from '@angular/core';\nimport { FormControl, FormGroup, Validators } from '@angular/forms';\nimport { ActivatedRoute, Router } from '@angular/router';\nimport { SenatorsService } from '../senators.service';\n\n@Component({\n selector: 'app-senator-expenses',\n templateUrl: './senator-expenses.component.html',\n styleUrls: ['./senator-expenses.component.css']\n})\nexport class SenatorExpensesComponent implements OnInit {\n senator: Senator[] = []\n id: number;\n constructor(private SenatorsService: SenatorsService, private route: ActivatedRoute, private a: Router) { }\n\n ngOnInit(): void {\n this.route.paramMap.subscribe(paramMap => {\n this.id = parseInt(paramMap.get('id'));\n console.log(this.id)\n })\n }\n\n}\n\nRouting file\nimport { NgModule } from '@angular/core';\nimport { Routes, RouterModule } from '@angular/router';\nimport { SenatorExpensesComponent } from './senator-expenses/senator-expenses.component';\nimport { SenatorsListComponent } from './senators-list/senators-list.component';\n\nconst routes: Routes = [\n { path: 'senadores', component: SenatorsListComponent },\n {path: '', redirectTo: 'senadores', pathMatch : 'full'},\n {path: 'senadores/:id ', component: SenatorExpensesComponent} //This is the route i tryng to get the id\n];\n\n@NgModule({\n imports: [RouterModule.forRoot(routes)],\n exports: [RouterModule]\n})\nexport class AppRoutingModule { }\n\n\ncomponent.html\n<p>\n <mat-toolbar>\n <span>Senators list</span>\n </mat-toolbar>\n</p>\n\n\n<mat-nav-list>\n <mat-list-item *ngFor=\"let senator of senators\">\n <a matLine [routerLink]=\"['/senadores', senator.id]\">{{senator.nomeSenador}}</a>\n </mat-list-item>\n</mat-nav-list>\n\nI try to use too \"this.id = this.route.params\" but dont work.\n\nA: this.id = parseInt(this.route.snapshot.params.id);\n\nCan you try this?\n\nA: Sorry for losing or time guys, actually the problem is in the line:\n{path: 'senadores/:id ', component: SenatorExpensesComponent}\n\nAs you see have a space between id and the quotes, this is the problem i was searching for this.id = parseInt(paramMap.get('id')); instead of this.id = parseInt(paramMap.get('id ')); But thanks anyway who tryed to help me.\n" |
"Q: How to pass class style from parent to child in Angular, and using it in specific element so I'm using a template that I downloaded of ngx-admin.\nI'm creating new lib of some simple components such as input with labels and etc. this lib component is style free, I would like to inject the ngx-admin styles to these components.\nWhat shall be the best way to pass the syles and classes to the child lib components?\nthis is the template page.component.html which I'm using the new lib I created:\n<div class=\"row\">\n <div class=\"col-xxl-5\">\n <div class=\"row\">\n <div class=\"col-md-12\">\n <nb-card>\n <nb-card-header>Default Inputs</nb-card-header>\n <nb-card-body>\n <lib-input-with-lable></lib-input-with-lable> <- this is the lib I creared\n </nb-card-body>\n </nb-card>\n </div>\n </div>\n </div>\n\nLib component:\nimport {Component, Input, OnInit} from '@angular/core';\n\n@Component({\n selector: 'lib-input-with-lable',\n template: `\n <div class=\"d-flex flex-row\">\n {{title}}\n <input style=\"margin-left: 2rem\"/>\n </div>\n `,\n styleUrls: ['./input-with-lable.component.scss'],\n})\nexport class InputAndLableComponent implements OnInit {\n\n constructor() { }\n\n @Input() title: string;\n ngOnInit(): void {\n }\n\n}\n\nThis is how the template is using the classes for css style:\n<input type=\"password\" nbInput fullWidth placeholder=\"Password\">\n\nSo I would like to have the ability to use nbInput & full width, which I added to page.component.scss\nand I will like to use is some kind of \n <lib-input-with-lable --passing here the styles--->\n\nand inside \nto use is like this:\n@Component({\n selector: 'lib-input-with-lable',\n template: `\n <div class=\"d-flex flex-row\">\n {{title}}\n <input ------using here the style------- style=\"margin-left: 2rem\"/>\n </div>\n `,\n styleUrls: ['./input-with-lable.component.scss'],\n })\n\n\nA: Demo create one css in input-with-lable.component.scss\n.test{\n //write your css wants\n}\n\nthen send input to \n<lib-input-with-lable style={{style}}></lib-input-with-lable> \n\nin child component\n@Input() style: string;\n\nthen assign this attribute any element's class you want to effect css\n\nA: You can use typescript object to write your CSS style in your parent.component.ts file and pass it as an object variable to your child component.\nYou can follow these steps:\n1- Create an object in the parent.component.ts and populate it with your desired CSS style properties\nexport class ParentComponent {\n styleObj = {\n 'font-weight': 'bold',\n 'font-size': '30px',\n 'color': '#3f51b5'\n };\n}\n\n2- Pass this object to the child component in the parent.component.html file\n<child-component [myStyle]=\"styleObj\"></child-component>\n\n3- Get this object in the child.component.ts file as input and use it in the child.component.html file\nexport class ChildComponent {\n @Input() myStyle: object;\n}\n\n4- Use the input object in the child.component.html file\n<span [style]=\"myStyle\">The sample text</span>\n\n" |
"Q: Passing URL of local image as a prop to component in React So I wish to display multiple cards on my page which comprise of a ProjectCard component being used multiple times. The ProjectCard component is called three times for now in the ProjectSection Component. The ProjectSection component is as follows:\nimport React from \"react\";\nimport ProjectCard from \"./ProjectCard\";\n\nfunction ProjectSection() {\n const projects = [\n {\n title: \"Project 1\",\n imageUrl: \"../assets/free-stock-image-1.jpg\",\n expect: \"This is my project about...\",\n },\n {\n title: \"Project 2\",\n imageUrl: \"../assets/free-stock-image-2.jpg\",\n expect: \"This is my project about...\",\n },\n {\n title: \"Project 3\",\n imageUrl: \"../assets/free-stock-image-3.jpg\",\n expect: \"This is my project about...\",\n },\n ];\n return (\n <div className=\"container text-center my-5\">\n <h1>\n My <span className=\"text-info\">Projects</span>\n </h1>\n <div className=\"lead\">I build products. Just like this website</div>\n <div className=\"row my-5 pt-3\">\n {projects.map((project) => (\n <div className=\"col-12 col-md-4 py-2\">\n <ProjectCard\n title={project.title}\n excerpt={project.excerpt}\n imageUrl={project.imageUrl}\n />\n </div>\n ))}\n </div>\n <div className=\"my-5\">\n <a href=\"/\" className=\"text-dark text-right\">\n <h5>\n See my projects\n <i className=\"fas fa-arrow-right align-middle\"></i>\n </h5>\n </a>\n </div>\n </div>\n );\n}\n\nexport default ProjectSection;\n\nThe projects array consists of objects which comprise of the Title, the URL and the Excerpt of the card.\nThe ProjectCard component is as follows:\nimport React from \"react\";\n\nfunction ProjectCard(props) {\n const { title, excerpt, imageUrl } = props;\n return (\n <div className=\"card shadow h-100\">\n <img className=\"card-img-top\" src={imageUrl} alt=\"Project\" />\n <div className=\"card-body\">\n <h4 className=\"card-title\">{title}</h4>\n <p className=\"card-text\">{excerpt}</p>\n <a href=\"/\" className=\"stretched-link\"></a>\n </div>\n </div>\n );\n}\n\nexport default ProjectCard;\n\nIn the ProjectCard component, for the img tag, I wish to pass the imageUrl prop taken from the projects array in the ProjectSection.\nThe File Composition of my project is as follows:\n\nWhere the Assets folder consists of all my image files in it.\nHow do I go on about it?\n\nA: When you map through the projects the ProjectSection component, the props you are providing to each ProjectCard are incorrect.\nCurrently:\n<ProjectCard title={projects.title} excerpt={projects.excerpt} imageUrl={projects.imageUrl} />\nShould be:\n<ProjectCard title={project.title} excerpt={project.excerpt} imageUrl={project.imageUrl} />\nYou can also just spread the project into the ProjectCard props:\n<ProjectCard {...project} />\n\nA: I found the answer.\nTurns out, these are the changes I made.\n\n*\n\n*In my projects array, instead of passing the Url as a string to my imageUrl, I passed the string to the require() method, which in turn comprised of the imageUrl\nconst projects = [\n {\n id: 1,\n title: \"Project 1\",\n imageUrl: require(\"../assets/images/free-stock-image-1.jpg\"),\n excerpt: \"This is my project about...\",\n },\n {\n id: 2,\n title: \"Project 2\",\n imageUrl: require(\"../assets/images/free-stock-image-2.jpg\"),\n excerpt: \"This is my project about...\",\n },\n {\n id: 3,\n title: \"Project 3\",\n imageUrl: require(\"../assets/images/free-stock-image-3.jpg\"),\n excerpt: \"This is my project about...\",\n },\n ];\n\n\n\n*In the receiving component ProjectCard, the require methods returns an object. To utilise the image in the object, simply add .default to the prop as:\n\nimport React from \"react\";\n\nfunction ProjectCard(props) {\n const { title, excerpt, imageUrl } = props;\n return (\n <div className=\"card shadow h-100\">\n <img className=\"card-img-top\" src={imageUrl.default} alt=\"Project\" />\n <div className=\"card-body\">\n <h4 className=\"card-title\">{title}</h4>\n <p className=\"card-text\">{excerpt}</p>\n <a href=\"/\" className=\"stretched-link\"></a>\n </div>\n </div>\n );\n}\n\nexport default ProjectCard;\n\nThat solved my query!\n" |
"Q: Problem with creating an instance of a class in SPFX(TypeScript/React) I am facing a problem with creating an instance of a class in SPFX. I am not sure what I should put in as a parameter. The compiler complains on whatever I put as a parameter. Here is my code:\nimport { DefaultButton, values } from 'office-ui-fabric-react';\nimport * as React from 'react';\nimport { IReduxCounterProps } from '../components/IReduxCounterProps';\nimport Output from '../components/CounterOutput/Output';\nimport { ICounterState } from './ICounterState';\n\nexport default class Counter extends React.Component<IReduxCounterProps, ICounterState> {\n\n constructor(props: IReduxCounterProps) {\n super(props);\n this.state = {\n counter: 0\n } \n }\n\n private counterOnIncrement() {\n console.log(\"Counter Increment\");\n this.setState({ counter: this.state.counter + 1 });\n console.log(this.state.counter); \n }\n\n private counterOnDecrement() {\n console.log(\"Counter Decrement\");\n this.setState({ counter: this.state.counter - 1 });\n }\n \n public render() : React.ReactElement<IReduxCounterProps> {\n return(\n <div>\n <Output value={this.state.counter} description=\"test\" />\n <DefaultButton text=\"Increment\" onClick={() => this.counterOnIncrement()} />\n <DefaultButton text=\"Decrement\" onClick={() => this.counterOnDecrement()} />\n </div>\n );\n }\n}\n\nconst states = new Counter(1);\nconst test = new Counter(\"blavla\");\nconst props = new Counter(props).state.counter;\n\nIReduxCounterProps.ts:\nexport interface IReduxCounterProps {\n description: string;\n value: number;\n}\n\n\nICounterState.ts:\nexport interface ICounterState {\n counter: number;\n}\n\nI am actually practicing some Redux on SPFx so what I am trying to do is access my state outside the Counter class in order to pass my state as a prop but the instance is requiring a parameter and complains on whatever I put as a parameter.\nHere are my errors:\n\nI would appreciate if someone could help me out with this issue.\nThanks in advance.\n\nA: The error message is quite clear, you can't assign a type 'number' or 'string' as 'IReduxCounterProps' on line 40 & 41. The type must be strictly according to the definition.\nconst c = new Counter({ description: `blavla`, value: 1 });\n\nWhereas for line 42, you've declared a const 'props' to create an instance of class Counter with the same const 'props'.\n" |
"Q: NextJS getStaticProps() never called I am making a simple website and I would like to fetch data from an API and display it on my component.\nThe problem is that the getStaticProps() method is never called.\nHere is the code of the component :\nimport React from \"react\";\nimport {GetStaticProps, InferGetStaticPropsType} from \"next\";\n\ntype RawProject = {\n owner: string;\n repo: string;\n link: string;\n description: string;\n language: string;\n stars: number;\n forks: number;\n}\n\nfunction Projects({projects}: InferGetStaticPropsType<typeof getStaticProps>) {\n console.log(projects);\n return (\n <section id=\"projects\" className=\"bg-white p-6 lg:p-20\">\n <h1 className=\"sm:text-4xl text-2xl font-medium title-font mb-4 text-gray-900 pb-6 text-center\">\n Quelques de mes projets\n </h1>\n {/*\n <div className=\"container px-5 mx-auto\">\n <div className=\"flex flex-wrap\">\n {rawProjects.map((project: RawProject) => (\n <ProjectCard\n title={project.repo}\n language={project.language}\n description={project.description}\n imageUrl=\"https://dummyimage.com/720x400\"\n repoUrl={project.link}\n />\n ))}\n </div>\n </div>\n */}\n </section>\n );\n}\n\nexport const getStaticProps: GetStaticProps = async () => {\n console.log(\"getStaticProps()\");\n const res = await fetch(\"https://gh-pinned-repos-5l2i19um3.vercel.app/?username=ythepaut\");\n const projects: RawProject[] = await res.json();\n return !projects ? {notFound: true} : {\n props: {projects: projects},\n revalidate: 3600\n };\n}\n\nexport default Projects;\n\n\nThe full code can be found here : https://github.com/ythepaut/webpage/tree/project-section\nI am not sure if the problem is caused by the fact that I use typescript, or that I use a custom _app.tsx\nI tried the solutions from :\n\n*\n\n*https://github.com/vercel/next.js/issues/11328\n\n*How to make Next.js getStaticProps work with typescript\nbut I couldn't make it work.\nCould someone help me please ?\nThanks in advance.\n\nA: getStaticProps() is only allowed in pages.\nYour code at the moment is :\nimport Hero from \"../sections/Hero\";\nimport Contact from \"../sections/Contact\";\nimport Projects from \"../sections/Projects\"; // you cannot call getStaticProps() in this componenet\n\nfunction HomePage(): JSX.Element {\n return (\n <div className=\"bg-gray-50\">\n <Hero />\n <Projects />\n <Contact />\n </div>\n );\n}\n\nexport default HomePage;\n\nInstead call getStaticProps() inside index.tsx and pass the props to the component something like this ::\nimport Hero from \"../sections/Hero\";\nimport Contact from \"../sections/Contact\";\nimport Projects from \"../sections/Projects\"; \n\nfunction HomePage({data}): JSX.Element {\n return (\n <div className=\"bg-gray-50\">\n <Hero />\n <Projects data={data} />\n <Contact />\n </div>\n );\n}\n\nexport const getStaticProps: GetStaticProps = async () => {\n console.log(\"getStaticProps()\");\n const res = await fetch(\"https://gh-pinned-repos-5l2i19um3.vercel.app/?username=ythepaut\");\n const projects: RawProject[] = await res.json();\n return !projects ? {notFound: true} : {\n props: {projects: projects},\n revalidate: 3600\n };\n}\nexport default HomePage;\n\n\nA: Data fetching methods in NextJs like getStaticProps runs only on the server. Hence it works only in pages, not in a regular react component\nPlease Check their docs\nFor data fetching in Normal Components, You can only do client-side Rendering. NextJS recommends using this library SWR\nAccording to their docs\n\nSWR is a strategy to first return the data from cache (stale), then send the fetch request (revalidate), and finally, come with the up-to-date data.\n\n\nA: You can only use getInitialProps, getServerSideProps, getStaticProps in Next.js pages\nI checked your project and saw that your Project.tsx was in a component folder, but it needs to be in pages folder for those functions to work.\n\n\nA: I got a similar bad experience because of bad service worker implementation, if you found it works with \"Empty Cache and Hard Reload\", you should check your service-worker code, you may don't want to cache any pages.\n\n\nA: In pages folder you must export getStaticProps too\nExample\n\n\nexport { default } from '../../games/tebak-kata/game';\nexport { getStaticPaths } from '../../games/tebak-kata/game';\nexport { getStaticProps } from '../../games/tebak-kata/game';\n\n\n" |
"Q: Get a list of components given the component name regardless they are nested - Vue I have the following sidebar in my app:\n\nThe tree item component code is :\n <!-- tree item template -->\n <script type=\"text/x-template\" id=\"tree-item-template\">\n <div>\n <div>\n <user-card @toggle-supervisor=\"toggle\" :user_info=\"item\" :key=\"item.id_user\"></user-card>\n </div>\n <div v-show=\"isOpen\" v-if=\"isFolder\" class=\"ml-3\">\n <tree-item\n v-for=\"(child, index) in item.employees\"\n :key=\"index\"\n :item=\"child\"\n ></tree-item>\n </div>\n </div>\n</script>\n\nThis component contains another component called user-card inside it.\nWhat i would like to get is an array with all of the components which name is 'user-card' regardless they are nested inside many other components.\nThe reason for this is because i want to change the color of the name to blue when a user is selected (clicked) and to black when the element is not selected \nI found that using this.$children i can get the list of components inside a component, but not all of them, so i wonder if there is a way to get the list of all elements by the component name\n\nA: You can use this simple piece of code:\n const child = this.$children.slice();\n const cards = [];\n let cur;\n while (child.length > 0)\n {\n cur = child.shift();\n if (cur.$options.name === 'user-card') cards.push(cur);\n else\n {\n cur = cur.$children.slice();\n for (let i = 0; i < cur.length; i++) child.push(cur[i]);\n }\n }\n // now you have your user cards inside the \"cards\" array\n\n" |
"Q: What is the best component structure for dynamic tabs in React? I am building a Figma clone. I have what I think is a simple problem. In Figma, you can add lines, images, rectangles, + 20 other types of design elements.\nThe issue I have is that when you click on these design elements, an inspector shows up, which is different for each element (the rectangle inspector is different from the image inspector).\nSo, would I have to make 20 different components for each design element? What is the best way to structure this? Thanks!\n\nA: I think the best way to do that making all input and button you need in a different component, so can import them like this :\nimport {SizeInput, ColorInput, SomthingInput} from InspectInputs;\n\nThen make an object for each element u have, like this :\nconst inspect = {\n rectangle : [\n <SizeInput />,\n <ColorInput />,\n ],\n image : [\n <SizeInput />,\n <ColorInput />,\n <SomthingInput />\n ],\n};\n\nAnd finally use them like this :\nconst Inspector = ({type}) => (\n <div>{inspect[type].map((child) => child)}</div>;\n)\n\nExample\n\n\nconst inputChange = (e) => {\n console.log(e.currentTarget.value);\n};\nconst inspectArray = [\n {\n name: \"Rectangle\",\n element: [\n <input type=\"text\" key=\"1\" />,\n <input type=\"range\" key=\"2\" />,\n <input type=\"color\" key=\"3\" onInput={inputChange} />,\n ],\n },\n {\n name: \"Image\",\n element: [\n <div key=\"1\">\n <input type=\"text\" key=\"1.1\" value=\"Some Value\" />\n <input type=\"text\" key=\"1.2\" />\n </div>,\n <input type=\"range\" key=\"2\" />,\n <input type=\"color\" key=\"3\" onInput={inputChange} />,\n ],\n },\n];\nconst Inspector = ({ index }) =>\n index !== null && (\n <div\n style={{\n width: 300,\n display: \"flex\",\n flexDirection: \"column\",\n }}\n >\n <h1>{inspectArray[index].name}</h1>\n {inspectArray[index].element.map((child) => child)}\n </div>\n );\nfunction App() {\n const [inspect, setInspect] = React.useState(null);\n return (\n <div>\n {inspectArray.map((item, i) => (\n <button key={i} onClick={() => setInspect(i)}>\n {item.name}\n </button>\n ))}\n <Inspector index={inspect} />\n </div>\n );\n}\nReactDOM.render(\n <App/>,\n document.getElementById(\"react\")\n);\n<script src=\"https://cdnjs.cloudflare.com/ajax/libs/react/16.8.4/umd/react.production.min.js\"></script>\n<script src=\"https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.8.4/umd/react-dom.production.min.js\"></script>\n<div id=\"react\"></div>\n\n\nYou can Make your array element like a component and use onChange or onInput function for everything or make them separate, super simple.\n" |
"Q: How to concatenate React objects without JSX How can I concatenate two React objects(React.createElement()) without JSX ?\nGoal\nMy goal is to render message, the message should contain the user full name in bold. \nProblem\nThe problem is that when I concatenate the react objects I am getting the message content and instead of the full name there is [object Object] in the string.\nCode\nvar firstName = React.createElement(\"b\", {}, this.state.User[\"FirstName\"])\nvar lastName = React.createElement(\"b\", {}, this.state.User[\"LastName\"])\nvar message = \"Hello \" + firstName + \" \" + lastName\nmessage += \" You can edit your profile in the Users Table\"\nreturn React.createElement(\"p\", {}, message)\n\n\nA: You should concatenate them using array as follows:\nvar firstName = React.createElement(\"b\", {}, this.state.User[\"FirstName\"])\nvar lastName = React.createElement(\"b\", {}, this.state.User[\"LastName\"])\nvar message = [\"Hello \", firstName, \" \", lastName]\nmessage.push(\" You can edit your profile in the Users Table\")\nreturn React.createElement(\"p\", {}, message)\n\n\nA: React.createElement returns you an Object of the component instance, you cannot directly concat it with a string. you instead can pass them to createElement as an array of children elements\n var firstName = React.createElement(\"b\", {}, this.state.User[\"FirstName\"])\n var lastName = React.createElement(\"b\", {}, this.state.User[\"LastName\"])\n const message = [\"Hello \", firstName, \" \", lastName, \" You can edit your profile in the Users Table\"]\n return React.createElement(\"p\", {}, message);\n\nWorking demo\n\n\nclass App extends React.Component {\n render() {\n var firstName = React.createElement(\"b\", {}, \"Stack\")\n var lastName = React.createElement(\"b\", {}, \"Overflow\")\n return React.createElement(\"p\", {}, [\"Hello \", firstName, \" \", lastName, \" You can edit your profile in the Users Table\"]);\n }\n}\n\nReactDOM.render(<App/>, document.getElementById('app'));\n<script src=\"https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js\"></script>\n<script src=\"https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js\"></script>\n<div id=\"app\"/>\n\n\n" |
"Q: Looping through custom react components and adding className's to them I want to loop through custom React elements using .map(). An example of what i'm looping through is:\n<Button text=\"Click me\" />\n<Button text=\"Click me\" bgColor=\"yellow\" textColor=\"black\"/>\n<Button text=\"Click me\" bgColor=\"limeGreen\" onClick={() => console.log('clicked')}/>\n<Button text=\"Click me\" bgColor=\"orchid\"/>\n<Button text=\"Click me\" bgColor=\"rgb(150, 20,0)\"/>\n\nI have component called Container that takes these children as a property:\nexport const Container = ({children}) => {\n\n return (\n <div>{children}</div>\n )\n}\n\nI tried to implement the looping like:\nconst newChildren = children.map((item) => {\n //add class name to every item\n})\n\n//\n\n<div>{newChildren}</div>\n\nHowever I'm stuck at this point. How can I add a className attr to all of the items?\n\nA: children prop is a ReactElement (an object and not an array).\nYou need to use React.Children API in order to be able to map children. \nThen use React.cloneElement for passing the className property.\nWorking Example:\n// styles.js\n.button {\n background: red;\n}\n\n// App.js\nimport \"./style.css\";\n\nconst Container = ({ children }) => {\n return (\n <div>\n {React.Children.map(children, (child, key) =>\n React.cloneElement(child, { className: \"button\", key })\n )}\n </div>\n );\n};\n\nconst App = () => {\n return (\n <Container>\n <button>Give me some color!</button>\n </Container>\n );\n};\n\n\n" |
"Q: How to animate child prop changes in react? I'm trying to create a component that takes a child prop and when this child prop changes I'd like the old component that was the child prop to animate out of screen and the new component to animate in. I attempted to do this using react-spring using the code below, you can run it here https://codesandbox.io/s/react-spring-issue-898-forked-ril7mc?file=/src/App.js.\nWhat am I missing here? Shouldn't the component animate left when it unmounts and animate in from the right when it mounts?\n/** @jsx jsx */\nimport { useState } from \"react\";\nimport { useTransition, animated } from \"react-spring\";\nimport { jsx } from \"@emotion/core\";\n\nfunction FadeTransition({ children, onClick }) {\n const [toggle, setToggle] = useState(true);\n const transition = useTransition(toggle, {\n from: {\n opacity: 0,\n transform: \"translateX(100%)\"\n },\n enter: {\n opacity: 1,\n transform: \"translateX(0)\"\n },\n leave: { transform: \"translateX(-100%)\" }\n });\n\n return (\n <div>\n {transition(\n (props, item) =>\n item && <animated.div style={props}>{children}</animated.div>\n )}\n <button\n onClick={() => {\n setToggle(!toggle);\n onClick();\n }}\n style={{ marginTop: \"2rem\" }}\n >\n Change\n </button>\n </div>\n );\n}\nexport default function App() {\n const [currentComponent, setCurrentComponent] = useState(0);\n let components = [<div>Thing 1</div>, <div>Thing 2</div>];\n const onClick = () => {\n setCurrentComponent((currentComponent + 1) % 2);\n };\n return (\n <div style={{ paddingTop: \"2rem\" }}>\n <FadeTransition onClick={onClick}>\n {components[currentComponent]}\n </FadeTransition>\n </div>\n );\n}\n\n\nA: I didn't use rect-sprint as much,There is issue with toggle state so when thing 1 is rendered animation component (FadeTransition) is rendered with setting up toggle state to true.\nNow when you click on change button we are setting up the toggle button to opposite of current state which will be false this time and without unmounting animation component (FadeTransition) it will update dom and so the item which is thing 2.\nAs we are passing toggle in useTransition and if it's values will be false then animation will not be performed.\nSo I have updated snippet of yours, Here is the working example codesandbox\n" |
"Q: How to change attribute of a child component from parent in React? I'm having a Child Component with img & h5 elements.I want to change the image and heading content in each component without rewriting the whole code of it.\nParent Component\nimport React from \"react\";\nimport \"bootstrap/dist/css/bootstrap.min.css\";\nimport Child from \"./services\";\n\n\nconst Navbar = () => {\n\n return (\n <div className=\"d-flex flex-row justify-content-center\">\n \n <Child/>\n <Child/>\n <Child/>\n <Child/>\n\n </div>\n );\n};\n\nexport default Navbar;\n\nChild component:\nimport React from \"react\";\nimport \"bootstrap/dist/css/bootstrap.min.css\";\n\nconst Child = (props) => {\n return (\n <>\n <div className=\"ser-wrapper\">\n <img src=\"https://api.time.com/wp-content/uploads/2019/08/better-smartphone-photos.jpg\" id=\"myImage\"/>\n <h5>Heading 1</h5>\n </div>\n </>\n )\n};\n\nexport default Child;\n\n\nI tried sending images SRC as props but didn't work the way I wanted. I want to get different images and different heading content for each component.\n\nA: Parent component\nimport React from \"react\";\nimport \"bootstrap/dist/css/bootstrap.min.css\";\nimport Child from \"./services\";\nconst Navbar = () => {\n return (\n <div className=\"d-flex flex-row justify-content-center\">\n \n <Child heading=\"Heading 1\" imgSrc=\"https://api.time.com/wp-content/uploads/2019/08/better-smartphone-photos.jpg\" />\n <Child heading=\"Heading 2\" imgSrc=\"https://media.istockphoto.com/photos/coahuilan-box-turtle-picture-id93385233?k=20&m=93385233&s=612x612&w=0&h=7pdWzLGa-XzIdvPvUsXzF91RomisLiGPiDnlr3iP00A=\" />\n // ...etc\n\n </div>\n );\n};\nexport default Navbar;\n\nChild component\nimport React from \"react\";\nimport \"bootstrap/dist/css/bootstrap.min.css\";\n\nconst Child = (props) => {\n return (\n <>\n <div className=\"ser-wrapper\">\n <img src={props.imgSrc} id=\"myImage\"/>\n <h5>{props.heading}</h5>\n </div>\n </>\n )\n};\n\nexport default Child;\n\n\nA: you will need to pass props to the child component from parent component\nParent Component\nimport React from \"react\";\nimport \"bootstrap/dist/css/bootstrap.min.css\";\nimport Child from \"./services\";\nconst Navbar = () => { \nreturn (\n<div className=\"d-flex flex-row justify-content-center\"> \n<Child title=\"Heading 1\" imgSrc=\"img-url\"/> \n<Child title=\"Heading 2\" imgSrc=\"img-url\"/>\n<Child title=\"Heading 3\" imgSrc=\"img-url\"/> \n</div>\n);\n};\n \nexport default Navbar;\n\nChild component:\nimport React from \"react\";\nimport \"bootstrap/dist/css/bootstrap.min.css\";\n\nconst Child = (props) => {\n return (\n <>\n <div className=\"ser-wrapper\">\n <img src={props.imgSrc} id=\"myImage\"/>\n <h5>{props.title}</h5>\n </div>\n </>\n )\n};\n\nexport default Child;\n\n\nA: There are multiple ways to solve this problem.\n\n*\n\n*You can send array of imgSrc and heading to child component and child component will loop over all these and render all of them like:-\n\nParent Component\ndata = [\n {\n imgSrc:\n 'https://api.time.com/wp-content/uploads/2019/08/better-smartphone-photos.jpg',\n heading: 'heading1',\n },\n {\n imgSrc:\n 'https://api.time.com/wp-content/uploads/2019/08/better-smartphone-photos.jpg',\n heading: 'heading2',\n },\n ];\n\n render() {\n return (\n <div>\n <Child data={this.data} />\n <p>Start editing to see some magic happen :)</p>\n </div>\n );\n }\n}\n\nChild Component\n<div>\n {data.map((obj) => {\n return (\n <div className=\"ser-wrapper\">\n <img src={obj.imgSrc} id=\"myImage\" />\n <h5>{obj.heading}</h5>\n </div>\n );\n })}\n </div>\n\nWorking Example:- https://stackblitz.com/edit/react-ts-l8ubqc?file=index.tsx\n\n\n*Other way is to use <Child> component multiple times in parent component and pass data as props\n\nParent Component\n<div>\n<Child heading='headingName' imgsrc = 'srcurl'/>\n<Child heading='headingName' imgsrc = 'srcurl'/>\n.\n.\n\n</div>\n\nChild Component\nconst {imgsrc,heading} = props\n return (\n <>\n <div>\n <img src={imgsrc} />\n <h5>{heading}</h5>\n </div>\n </>\n )\n\n" |
"Q: Android - Layout stay at the current fragment When I run my apps, everything works fine until I need to fragment to be replaced with another fragment. When user clicked one of the item on the listview, it should open the new layout(new fragment). But for now, nothing happened when I clicked on the item\nThis is my onCreate method\npublic void onCreate(Bundle savedInstanceState) {\n super.onCreate(savedInstanceState);\n StrictMode.ThreadPolicy policy = new StrictMode.ThreadPolicy.Builder().permitAll().build();\n StrictMode.setThreadPolicy(policy);\n\n\n JsonArrayRequest tournamentReq = new JsonArrayRequest(url,\n new Response.Listener<JSONArray>() {\n @Override\n public void onResponse(JSONArray response) {\n Log.d(TAG, response.toString());\n\n // Parsing json\n for (int i = 0; i < response.length(); i++) {\n try {\n\n JSONObject obj = response.getJSONObject(i);\n Tournament tournament = new Tournament();\n tournament.setTitle(obj.getString(\"title\"));\n tournament.setThumbnailUrl(obj.getString(\"image\"));\n tournament.setDate(((Number) obj.get(\"tdate\"))\n .doubleValue());\n // Genre is json array\n JSONArray categoryArry = obj.getJSONArray(\"category\");\n ArrayList<String> category = new ArrayList<String>();\n for (int j = 0; j < categoryArry.length(); j++) {\n category.add((String) categoryArry.get(j));\n }\n tournament.setCategory(category);\n\n // adding tournament to tournament array\n TournamentList.add(tournament);\n\n } catch (JSONException e) {\n e.printStackTrace();\n }\n\n }\n adapter.notifyDataSetChanged();\n }\n }, new Response.ErrorListener() {\n @Override\n public void onErrorResponse(VolleyError error) {\n VolleyLog.d(TAG, \"Error: \" + error.getMessage());\n }\n });\n\n AppController.getInstance().addToRequestQueue(tournamentReq);\n }\n\nThis is my onCreateView and OnSelectionChanged method in \n\nTournamentFragment\n\n public View onCreateView(LayoutInflater inflater, ViewGroup container,\n Bundle savedInstanceState) {\n View rootView = inflater.inflate(R.layout.fragment_tournament, container, false);\n listView = (ListView) rootView.findViewById(android.R.id.list);\n\n if (rootView.findViewById(R.id.frag_tour) != null){\n\n if (savedInstanceState != null) {\n // Create an Instance of Fragment\n TournamentFragment tFragment = new TournamentFragment();\n tFragment.setArguments(getActivity().getIntent().getExtras());\n getFragmentManager().beginTransaction()\n .add(R.id.frag_tour, tFragment)\n .commit();\n }}return rootView;\n}\n\n public void OnSelectionChanged(int versionNameIndex) {\n\n DescriptionFragment descriptionFragment = new DescriptionFragment();\n descriptionFragment.setArguments(getActivity().getIntent().getExtras());\n\n if (descriptionFragment != null){\n descriptionFragment.setDescription(versionNameIndex);\n } else {\n TournamentFragment tFragment = new TournamentFragment();\n\n fragmentTransaction.replace(R.id.fragment_container, tFragment);\n fragmentTransaction.commit();\n }\n}\n\n\nfragment_description.xml\n\n <?xml version=\"1.0\" encoding=\"utf-8\"?>\n <RelativeLayout xmlns:android=\"http://schemas.android.com/apk/res/android\"\n android:layout_width=\"match_parent\"\n android:layout_height=\"match_parent\"\n android:id=\"@+id/fragment_container\">\n\n <TextView\n android:layout_width=\"wrap_content\"\n android:layout_height=\"wrap_content\"\n android:textAppearance=\"?android:attr/textAppearanceMedium\"\n android:text=\"This is where each individual description will appear\"\n android:id=\"@+id/version_description\"\n android:layout_centerVertical=\"true\"\n android:layout_centerHorizontal=\"true\"\n android:layout_marginLeft=\"@dimen/activity_horizontal_margin\"\n android:layout_marginRight=\"@dimen/activity_horizontal_margin\"\n android:gravity=\"center\"/>\n\n</RelativeLayout>\n\nSo far, I had tried different kind of solution answered here in stackoverflow but still can't solve my problem.\nCan someone help me understand this?\n\nA: Use below code\ngetSupportFragmentManager()\n .beginTransaction()\n .detach(contentFragment) // detach the current fragment\n .attach(contentFragment) // attach fragment that you want.\n .commit();\n\n\nA: Try to call through\ngetActivity().getSupportFragmentManager()\n .beginTransaction()\n .replace(R.id.fragment_container, tFragment)\n .fragmentTransaction\n .commit();\n\n" |
"Q: Could not initialize plugin: interface org.mockito.plugins.MockMaker (alternate: null) I've seen several variants of this problem involving android, powermock, bytebuddy-downloads-gone-wrong and likely others. I don't think my problem is related to powermock or android since I'm using neither. Below is the test class, with irrelevant tests omitted.\n public class TournamentsTests {\n\n private ToornamentClient client;\n private HashMap<String,String> params;\n private HashMap<String,String> headers;\n\n private TournamentRequest tournamentRequest = new TournamentRequest();\n private TournamentDetails tournamentDetails = new TournamentDetails();\n @Before\n public void Setup() throws IOException {\n client = new ToornamentClient(System.getenv(\"KEY\"),System.getenv(\"CLIENT\"),System.getenv(\"SECRET\"));\n client.authorize();\n\n headers = new HashMap<>();\n params = new HashMap<>();\n params.put(\"disciplines\",\"overwatch\");\n\n tournamentDetails.setParticipantType(ParticipantType.TEAM);\n tournamentDetails.setName(\"OWL Season 1\");\n tournamentDetails.setSize(144);\n tournamentDetails.setDiscipline(\"overwatch\");\n\n tournamentRequest.setDiscipline(\"overwatch\");\n tournamentRequest.setOrganization(\"Blizzard Entertainment\");\n tournamentRequest.setWebsite(\"http://www.overwatchleague.com\");\n tournamentRequest.setMatchFormat(MatchFormat.BO3);\n tournamentRequest.setPrize(\"$500,000-$1,000,000\");\n tournamentRequest.setSize(144);\n tournamentRequest.setName(\"OWL Season 1\");\n tournamentRequest.setParticipantType(ParticipantType.TEAM);\n\n }\n @AfterEach\n public void CleanUp(){\n headers.clear();\n }\n\n @Test\n public void createTournamentTest(){\n Mockito.when(client.tournaments().createTournament(tournamentRequest)).thenReturn(tournamentDetails);\n\n\n }\n\n}\n\nThe single test above is the one i'm trying to mock since it is intended to insert via the api this library is intended for. I'm not sure if powermock is part of the solution since i'm unclear on what it does, but feel free to help me solve this with it. My build.gradle file looks like this:\ngroup 'ch.wisv'\nversion '0.1'\n\napply plugin: 'java'\n\nsourceCompatibility = 1.8\n\nrepositories {\n mavenCentral()\n}\n\njar {\n baseName = 'toornament-client'\n version = '0.1'\n}\n\ndependencies {\n // https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-core\n compile group: 'com.fasterxml.jackson.core', name: 'jackson-core', version: '2.8.7'\n // https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-annotations\n compile group: 'com.fasterxml.jackson.core', name: 'jackson-annotations', version: '2.8.7'\n // https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-databind\n compile group: 'com.fasterxml.jackson.core', name: 'jackson-databind', version: '2.8.7'\n compile 'junit:junit:4.12'\n compile 'com.squareup.okhttp3:okhttp:3.6.0'\n\n testCompile group: 'junit', name: 'junit', version: '4.11'\n testCompile 'com.squareup.okhttp3:mockwebserver:3.6.0'\n testCompile 'org.mockito:mockito-core:2.18.0'\n}\n\nI don't think anything is out of place here either, and checked in my IDE that dependencies like bytebuddy and objenesis were downloaded.\nA few things I've tried are:\n\n\n*\n\n*A @Mock annotation over the variable \"client\"\n\n*ToornamentClient client = Mockito.mock(ToornamentClient.class)\n\n*Toornaments caller = Mockito.mock(client.tournaments().getClass())\n\n" |
"Q: How to await data coming from an API as a prop in a component? I am trying to send a prop on a component once my data loads from an API. However, even though I am using async await to await from my data, I am still getting an error of: Error: Objects are not valid as a React child (found: [object Promise]). If you meant to render a collection of children, use an array instead.\nMy process:\n\n*\n\n*Have two set states: 1) updateLoading and 2) setRecordGames\n\n*Once the data is loaded, I will set updateLoading to false and then set recordGames with the data from the API.\n\nMy Problem:\nIt seems that when I pass data in the component, React does not wait for my data load and gives me an error.\nThis is my code:\n\nimport useLoadRecords from '../../hooks/useLoadRecords'\nimport { CustomPieChart } from '../charts/CustomPieChart'\n\nexport const GameDistribution = () => {\nconst { records, loading } = useLoadRecords()\n let data = records\n\n console.log(data) // This logs out the records array\n\n return (\n <div>\n // once loading is false, render these components\n {!loading ? (\n <>\n <div>\n {recordGames.length > 0 ? (\n // This line seem to run as soon as the page loads and I think this is the issue. recordGames is empty at first, but will populate itself when the data loads\n records.length > 0 && <CustomPieChart data={data} />\n ) : (\n <div>\n No games\n </div>\n )}\n </div>\n </>\n ) : (\n <span>Loading...</span>\n )}\n </div>\n )\n}\n\n\n// useLoadRecords.js\n\nimport { useState, useEffect } from 'react'\nimport { API } from 'aws-amplify'\nimport { listRecordGames } from '../graphql/queries'\n\n// Centralizes modal control\nconst useLoadRecords = () => {\n const [loading, setLoading] = useState(false)\n const [records, updateRecords] = useState([])\n\n useEffect(() => {\n fetchGames()\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, [])\n\n const fetchGames = async () => {\n try {\n let recordData = await API.graphql({\n query: listRecordGames,\n })\n\n setLoading(false)\n\n let records = recordData.data.listRecordGames.items.map(\n (item) => item.name\n )\n let result = Object.values(\n records.reduce((acc, el) => {\n if (!acc[el]) acc[el] = { name: el, plays: 0 }\n acc[el].plays++\n return acc\n }, {})\n )\n updateRecords(result)\n } catch (err) {\n console.error(err)\n }\n }\n\n return { records, loading }\n}\n\nexport default useLoadRecords\n\n\n\nA: I would make a hook for the data and setData to it when fetching ,\nyou can clone the data using spread operator and this pass it.\nor better return that component only if there is something in data for example\n{\ndata && <CustomPieChart data={recordGames} />\n}\n\nand it would be nice to make a some loader (gif/svg) using your loading hook so it can be shown when the data is still being fetched.\n" |
"Q: How to configure jcombobox in a jtable to get an expression I cannot configure a jtable with jcombobox, I have seen various sample but without success.\nI have a table with 3 columns and Jcombobox for each cell.\nIn the first and last JCombobox there are Sports and in the central a Criteria.\nFor each row I must use the values of the 3 column to make an Expression`(Sport s1, Criteria c, Sport s2);\nI have tried to use a custom table model but with jcombobox I don't know how to configure \n@Override\n public Object getValueAt(int arg0, int arg1) {\n // TODO Auto-generated method stub\n return null;\n }\n\nand\npublic Object setValueAt(int arg0, int arg1) {\n // TODO Auto-generated method stub\n return null;\n }\n\nto get and set the values with JCombobox selections.\n`\nI use this model to implements my Table:\nclass MyTableModel extends AbstractTableModel {\n private static final long serialVersionUID = 1L;\n int numSports = DataSavedSports.loadNumeroSports();\n private final List<Sport> objects = DataSavedSports\n .loadListSports();\n\n private final String[] columnNames = { \"Name Sport 1\", \"Criteria\",\n \"Name Sport 2\" };\n\n private final Class<?>[] metaModell = new Class[] { String.class,\n Integer.class };\n\n public int getColumnCount() {\n return columnNames.length;\n }\n\n public int getRowCount() {\n return objects.size();\n }\n\n @Override\n public String getColumnName(int col) {\n return columnNames[col];\n }\n\n\n\n private Sport getRow(int row) {\n return objects.get(row);\n }\n\n @Override\n public Class<?> getColumnClass(int c) {\n if (c < metaModell.length)\n return metaModell[c];\n return Object.class;\n }\n\n @Override\n public boolean isCellEditable(int row, int col) {\n return true;\n }\n\n\n\n public List<Sport> getJobs() {\n return objects;\n }\n\n public void addRow(Sport v) {\n this.objects.add(v);\n fireTableDataChanged();\n }\n\n @Override\n public Object getValueAt(int arg0, int arg1) {\n // TODO Auto-generated method stub\n return null;\n }\n }\n\nThe methods that I have used to set the Jcombobox are something like this\n public void setColumnSports1(JTable table, TableColumn ColumnLav1) {\n // Set up the editor for the sport cells.\n final List<Sport> ListSports = DataSavedSports.loadListSports();\n final JComboBox comboBox1 = new JComboBox();\n for(Sport l : ListSports){\n comboBox1.addItem(l.getIdSport());\n }\n\n comboBox1.addItemListener(new ItemListener(){\n public void itemStateChanged(ItemEvent ie){\n String str = (String)comboBox1.getSelectedItem();\n\n\n\n System.out.println(\"TESTTTT\"+str);\n }\n });\n\n ColumnLav1.setCellEditor(new DefaultCellEditor(comboBox1));\n\n // Set up tool tips for the sport cells.\n DefaultTableCellRenderer renderer = new DefaultTableCellRenderer();\n renderer.setToolTipText(\"Click for combo box\");\n ColumnLav1.setCellRenderer(renderer);\n }\n\nPS\nI must use the table in a JFrame and get the data of selected Jcombobox item, so the missing of the multiple inheritance, is another problem because of the overriding of various component.\n" |
"Q: Load Container and EntityManager within a fixture in Symfony2 I have two fixtures, one LoadSport.php and one LoadCategory.php in my Symfony project.\nEvery instance of sport has a private 'category' attribute which is an instance of Category.\nI am trying to retrieve the categories I already in my database and load them in the Sports fixture (I chose some sports). I followed the official using container within fixtures (http://symfony.com/doc/current/bundles/DoctrineFixturesBundle/index.html#using-the-container-in-the-fixtures) as suggested in another thread.\nSo this is my code for the LoadSport.php:\nclass LoadSport implements FixtureInterface, ContainerAwareInterface\n{\n private $container;\n\n public function setContainer(ContainerInterface $container = null)\n {\n $this->container = $container; \n }\n\n public function load(ObjectManager $manager)\n {\n $i = 0;\n $em = $this->container->get('doctrine')->getManager();\n $category = $em->getRepository(\"MyBundle:Category\")->findOneById(1);\n $names = array('SportA', 'SportB', 'SportC');\n\n\n foreach($names as $name)\n {\n $sport = new Sport();\n $sport->setName($name);\n $sport->setCategory($category);\n\n $manager->persist($sport);\n }\n\n $manager->flush();\n }\n\n public function getOrder()\n {\n return 2;\n }\n\nI tried to call a separate manager to get Category n1, and when I do php app/console doctrine:fixture:load, I get this error message:\n\n[Symfony\\Component\\Debug\\Exception\\ContextErrorException]\n Catchable Fatal Error: Argument 1 passed to MyBundle\\Entity\\Sport::setCategory()\n must be an instance of MyBundle\\Entity\\Category, null given, called in .../MyBundle/DataFixtures/ORM/LoadSport.php on line\n xx and defined\n\nHow can I retrieve the category of id 1. or any other category within my LoadSport.php fixture and set the category of the Sport instance? What am I doing wrong? Why am I getting a null value wheras as it should be a category entity?\nMany thanks in advance.\n\nA: Use the ObjectManager passed into the load function. Like so:\n$category = $manager->getRepository('MyBundle:Category')->findOneById(1);\nUpdate:\nAs pointed out below, whilst this approach is nice and simple it can lead to problems when manipulating data in the fixtures. The Symfony Docs details the correct way to do this.\n" |
"Q: Unable to parse props in child component I am trying to implement Presentational and Container Components pattern when creating React components. So I created a presentational component with only UI elements and container component with handling data capabilities.\ncomponent.jsx\nimport React from \"react\";\n\nconst MyComponent = ({props}) => (\n<div>\n{props.games.map((game, index) => (\n <div key={index}>\n {game.index + 1} - {game.contestName}\n </div>\n))};\n</div>\n);\n\nexport default MyComponent;\n\ncontainer.jsx\nimport React, { Component } from \"react\";\nimport MyComponent from \"./component\";\n\nclass MyContainer extends Component {\nconstructor(props) {\nsuper(props);\n\nthis.state = {\n games: [\n {\n id: 1,\n categoryName: \"Business/Company\",\n contestName: \"Name1\"\n },\n {\n id: 2,\n categoryName: \"Magazine/Newsletter\",\n contestName: \"Name2\"\n },\n {\n id: 3,\n categoryName: \"Software Component\",\n contestName: \"Name3\"\n },\n {\n id: 4,\n categoryName: \"Website\",\n contestName: \"Name4\"\n }\n ]\n};\n}\n\nrender() {\nreturn (\n <div>\n <MyComponent games={this.state.games} />\n </div>\n);\n}\n}\n\nexport default MyContainer;\n\nHowever, I can not render data and I get \nUncaught TypeError:\n\nCannot read property 'games' of undefined. \n\nWould really appreciate your help, as two days of internet digging has not yielded positive results.\n\nA: const MyComponent = ({props}) => (\n\nWhen you do this, you actually do \n{ props: props-received-from-parent }\nYou are enclosing your props in another object, remove those braces and change that line to\nconst MyComponent = (props) => (\nand you are good to go.\n\nA: You should destructure your games instead of props:\nimport React from \"react\";\n\nconst MyComponent = ({games}) => (\n<div>\n{games.map((game, index) => (\n <div key={index}>\n {game.index + 1} - {game.contestName}\n </div>\n))};\n</div>\n);\n\nexport default MyComponent;\n\n\nA: You can define your MyComponent class like this\nclass MyComponent extends Component{\n\n render(){\n this.xyz = this.props.games.map((item,index) => {\n return(<div key={index}>{item.id}</div>)\n })\n return(\n <div>\n {this.xyz}\n </div>\n )\n\n }\n}\n\nexport default MyComponent;\n\nThis will also work!\n" |
"Q: embedded font displays no text (as3) using flash develop. so i downloaded \"source sans\" font from here: https://fonts.google.com/specimen/Source+Sans+Pro?selection.family=Source+Sans+Pro\nit has a bunch of ttf files, \"bold, italic, etc\" im guessing i only need one, so i copied the regular one to my src folder, renamed it to \"SourceSansPro\", right clicked on my src folder and add new font library. i named it \"SourceSansPro\". and heres my code now: \nmain class:\n package\n{\n import flash.display.Sprite;\n import flash.events.Event;\n import flash.text.TextField;\n import flash.text.TextFormat;\n\n\n public class Main extends Sprite \n {\n\n private var format:TextFormat = new TextFormat(\"SourceSansPro\");\n private var text:TextField = new TextField;\n\n public function Main() \n {\n text.embedFonts = true;\n text.setTextFormat(format);\n\n text.text = \"abcdefg\";\n\n addChild(text);\n\n }\n\n\n\n }\n\n}\n\nthe font library thing:\n/**\nSuggested workflow:\n- create a fontLibrary subfolder in your project (NOT in /bin or /src)\n- for example: /lib/fontLibrary\n- copy font files in this location\n- create a FontLibrary class in the same location\n- one font library can contain several font classes (duplicate embed and registration code)\n\nFlashDevelop QuickBuild options: (just press Ctrl+F8 to compile this library)\n@mxmlc -o bin/SourceSansPro.swf -static-link-runtime-shared-libraries=true -noplay\n*/\npackage \n{\n import flash.display.Sprite;\n import flash.text.Font;\n\n /**\n * Font library\n * @author 111\n */\n public class SourceSansPro extends Sprite \n {\n /*\n Common unicode ranges:\n Uppercase : U+0020,U+0041-U+005A\n Lowercase : U+0020,U+0061-U+007A\n Numerals : U+0030-U+0039,U+002E\n Punctuation : U+0020-U+002F,U+003A-U+0040,U+005B-U+0060,U+007B-U+007E\n Basic Latin : U+0020-U+002F,U+0030-U+0039,U+003A-U+0040,U+0041-U+005A,U+005B-U+0060,U+0061-U+007A,U+007B-U+007E\n Latin I : U+0020,U+00A1-U+00FF,U+2000-U+206F,U+20A0-U+20CF,U+2100-U+2183\n Latin Ext. A: U+0100-U+01FF,U+2000-U+206F,U+20A0-U+20CF,U+2100-U+2183\n Latin Ext. B: U+0180-U+024F,U+2000-U+206F,U+20A0-U+20CF,U+2100-U+2183\n Greek : U+0374-U+03F2,U+1F00-U+1FFE,U+2000-U+206f,U+20A0-U+20CF,U+2100-U+2183\n Cyrillic : U+0400-U+04CE,U+2000-U+206F,U+20A0-U+20CF,U+2100-U+2183\n Armenian : U+0530-U+058F,U+FB13-U+FB17\n Arabic : U+0600-U+06FF,U+FB50-U+FDFF,U+FE70-U+FEFF\n Hebrew : U+05B0-U+05FF,U+FB1D-U+FB4F,U+2000-U+206f,U+20A0-U+20CF,U+2100-U+2183\n\n About 'embedAsCFF' attribute:\n - is Flex 4 only (comment out to target Flex 2-3)\n - is 'true' by default, meaning the font is embedded for the new TextLayout engine only\n - you must set explicitely to 'false' for use in regular TextFields\n\n More information:\n http://help.adobe.com/en_US/Flex/4.0/UsingSDK/WS2db454920e96a9e51e63e3d11c0bf69084-7f5f.html\n */\n\n\n [Embed(source=\"SourceSansPro.ttf\"\n ,fontFamily ='SourceSansPro'\n ,fontStyle ='normal' // normal|italic\n ,fontWeight ='normal' // normal|bold\n ,unicodeRange='U+0020-U+002F,U+0030-U+0039,U+003A-U+0040,U+0041-U+005A,U+005B-U+0060,U+0061-U+007A,U+007B-U+007E'\n ,embedAsCFF='false'\n )]\n public static const fontClass:Class;\n\n public function SourceSansPro() \n {\n Font.registerFont(fontClass);\n\n }\n\n }\n\n}\n\nso in main, if text.embedFonts is false it will show the default font, if its true it will show up blank.\nany help?\nedit - new code\npackage\n{\n\n import flash.display.Sprite;\n import flash.events.Event;\n import flash.text.TextField;\n import flash.text.TextFormat;\n import flash.text.Font;\n\n public class Main extends Sprite \n {\n\n private var format:TextFormat = new TextFormat(\"libel\");\n private var text:TextField = new TextField;\n\n public function Main() \n {\n\n\n\n [Embed(source=\"libel.ttf\"\n ,fontFamily ='libel'\n ,fontStyle ='normal' // normal|italic\n ,fontWeight ='normal' // normal|bold\n ,unicodeRange='U+0020-U+002F,U+0030-U+0039,U+003A-U+0040,U+0041-U+005A,U+005B-U+0060,U+0061-U+007A,U+007B-U+007E'\n ,embedAsCFF='false'\n )]\n\n Font.registerFont();\n\n text.embedFonts = true;\n text.setTextFormat(format);\n\n text.text = \"abcdefg\";\n\n addChild(text);\n\n }\n\n\n\n }\n\n}\n\n\nA: This is what you probably want.\npackage\n{\n import flash.display.Sprite;\n import flash.text.TextField;\n import flash.text.TextFormat;\n import flash.text.Font;\n\n public class Main extends Sprite \n {\n // After the [Embed] tag you need\n // a variable definition it is linked to.\n [Embed(source=\"libel.ttf\", fontFamily='libel')]\n private var Libel:Class;\n\n public function Main() \n {\n // In order to share the font with the whole application,\n // you need to provide its class to the method.\n Font.registerFont(Libel);\n\n var aFormat:TextFormat = new TextFormat;\n\n aFormat.font = \"libel\";\n // ... other format properties here.\n\n var aField:TextField = new TextField;\n\n // This way you will see that\n // TextField even if fonts don't render.\n aField.border = true;\n\n // Setting the default text format is a good idea here.\n aField.embedFonts = true;\n aField.setTextFormat(aFormat);\n aField.defaultTextFormat = aFormat;\n\n aField.text = \"abcdefg\";\n\n addChild(aField);\n }\n }\n}\n\n" |
"Q: Child object not detected Why can't it detect these declared image objects- m22,m33....?\nTypeError: 2007 Error #: Parameter child must be non-null. \nThe code runs fine until choosetext function then errors.\nmode traces display. \nOther traces display. \nYaddah Yaddah \nboxtrans is a transparent sprite to mask mouse input. \npackage {\nimport flash.display.Bitmap;\nimport flash.display.Sprite;\nimport flash.events.*;\nimport flash.ui.Keyboard;\nimport mx.core.BitmapAsset;\n//import board;\nimport flash.accessibility.AccessibilityImplementation;\nimport flash.display.MovieClip;\nimport flash.text.TextField;\nimport flash.text.TextFormat;\nimport flash.display.Sprite;\nimport flash.utils.ByteArray;\nimport flash.events.MouseEvent;\nimport flash.text.AntiAliasType; \nimport flash.utils.describeType;\nimport flash.net.*;\nimport Set;\nimport StatusBox;\nimport Statusx;\nimport flash.display.InteractiveObject;\nimport flash.text.TextFieldType;\nimport flash.events.FocusEvent;\nimport fl.managers.FocusManager;\nimport flash.display.*;\nimport flash.display.Stage;\nimport flash.events.KeyboardEvent;\nimport flash.utils.*;\nimport boxtrans;\n\npublic class boxsprite extends Sprite { \n [Embed(source = \"C:/Windows/Fonts/Verdana.ttf\", fontName = \"Verdana\", fontWeight = \"bold\", advancedAntiAliasing = \"true\", mimeType = \"application/x-font\")] \n public static const VERD:Class;\n [Embed(source=\"../lib/box.gif\")]\n private var boxspriteClass:Class\n [Embed(source = \"../lib/m2.gif\")]\n private var m2:Class\n\n [Embed(source = \"../lib/m3.gif\")]\n private var m3:Class\n [Embed(source=\"../lib/m4.gif\")]\n private var m4:Class\n [Embed(source = \"../lib/m5.gif\")]\n private var m5:Class\n [Embed(source = \"../lib/m6.gif\")]\n private var m6:Class\n\n [Embed(source = \"../lib/m7.gif\")]\n private var m7: Class\n [Embed(source=\"../lib/m8.gif\")]\n private var m8: Class\n [Embed(source = \"../lib/m9.gif\")]\n private var m9: Class\n\n internal var m22:Bitmap;\n internal var m33:Bitmap;\n internal var m44:Bitmap;\n internal var m55:Bitmap;\n internal var m66:Bitmap;\n internal var m77:Bitmap;\n internal var m88:Bitmap;\n internal var m99:Bitmap;\n internal var boxsprite2:Bitmap;\n internal var boxtrans1:Sprite;\n\n internal var mode:uint=2;\n internal var displaytext:String;\n internal var setBox:Boolean = false;\n internal var onBoard:Array = [0];\n internal var playerRound:uint = 1;\n internal var round:uint = 1;\n internal var playernumber:uint; \n internal var myTextBox:TextField = new TextField();\n\n public function boxsprite():void {\n init(); \n } \n\n internal function init():void {\n boxsprite2=new boxspriteClass as Bitmap;\n this.addChild(boxsprite2); \n m77= new m7 as Bitmap;\n this.addChild(m77);\n m66= new m6 as Bitmap;\n this.addChild(m66);\n m55= new m5 as Bitmap;\n this.addChild(m55);\n m44= new m4 as Bitmap;\n this.addChild(m44);\n m33= new m3 as Bitmap;\n this.addChild(m33);\n m22 = new m2 as Bitmap;\n this.addChild(m22); \n boxtrans1 = new boxtrans() as Sprite; \n boxtrans1.x = 0;\n boxtrans1.y = 240; \n this.addChild(boxtrans1);\n this.addEventListener(MouseEvent.CLICK, clickDoubleClick);\n }\n\n internal var m_nDoubleClickSpeed:Number = 300;\n internal var m_toMouse:Number;\n internal function clickDoubleClick(e:MouseEvent):void {\n if (isNaN(m_toMouse)==false) {\n clearTimeout(m_toMouse);\n HandleDoubleClick();\n } else {\n m_toMouse = setTimeout(HandleSingleClick, m_nDoubleClickSpeed);\n }\n }\n\n internal function HandleSingleClick():void {\n trace(\"HandleSingleClick\");\n m_toMouse = NaN;\n }\n\n internal function HandleDoubleClick():void {\n modeswitch();\n trace(\"HandleDoubleClick\");\n\n m_toMouse = NaN;\n }\n\n internal function modeswitch():void{ \n trace(mode);\n switch(mode) {\n case 8: \n {mode = 9;\n choosetext(); }\n\n case 9: \n {mode = 2;\n choosetext();\n }\n case 2:\n case 3:\n case 4:\n case 5:\n case 6:\n case 7:\n {mode +=1; \n choosetext(); }\n }\n }\n\n internal function choosetext():void { \n switch (mode) {\n case 2: {this.setChildIndex(m22,this.numChildren - 1);}\n case 3: {this.setChildIndex(m33,this.numChildren - 1);}\n case 4: {this.setChildIndex(m44,this.numChildren - 1);}\n case 5: {this.setChildIndex(m55,this.numChildren - 1);}\n case 6: {this.setChildIndex(m66,this.numChildren - 1);}\n case 7: {this.setChildIndex(m77,this.numChildren - 1);}\n case 8: {this.setChildIndex(m88,this.numChildren - 1);}\n case 9: {this.setChildIndex(m99,this.numChildren - 1); } \n }\n }\n\n\n}\n\n} \n\nA: It looks like you are not instantiating m88 or m99 anywhere.\nSince you don't have any breakcommands in your switch statement it falls through and executes every case even if mode is only 2.\nI'm assuming you meant to do something like this:\nswitch (mode) {\n case 2: \n this.setChildIndex(m22,this.numChildren - 1);\n break;\n case 3: \n this.setChildIndex(m33,this.numChildren - 1);\n break;\n // etc...\n\n}\n\n" |
"Q: How can i apply style only to the clicked element [React] I'm trying to apply conditional styles in React. I need to apply an animation when use click on delete button but this is applied to every element from the array\nComponent \nimport React, { useState } from 'react';\n\nimport './styles.css';\n\nconst Element = () => {\n const [onDelete, setOnDelete] = useState(false);\n const list = [\n {\n name: 'Jhon',\n age: '20',\n },\n {\n name: 'Maria',\n age: '25',\n },\n ];\n\n return (\n <>\n {list.map((item) => (\n <ul className={onDelete ? 'onDelete-apply' : ''}>\n <li>{item.name}</li>\n <li>{item.age}</li>\n <button onClick={() => setOnDelete(true)}>\n Delete\n </button>\n </ul>\n ))}\n </>\n );\n};\n\nexport default Element;\n\nStyles\n.onDelete-apply {\n background-color: red;\n}\n\n*For example in this component i want to apply red background only to the clicked element *\n\nA: You should be traking the element that it is clicked by its index, insted of true or false, on click you set the index of the clicked item in the state and then check if that index is the same as the index of the element when rendered\nimport React, { useState } from 'react';\n\nimport './styles.css';\n\nconst Element = () => {\nconst [deletedIndex, setDeletedIndex] = useState(false);\n const list = [\n {\n name: 'Jhon',\n age: '20',\n },\n {\n name: 'Maria',\n age: '25',\n },\n ];\n \n return (\n <>\n {list.map((item, i) => (\n <ul key={i} className={deletedIndex === i ? 'onDelete-apply' : ''}>\n <li>{item.name}</li>\n <li>{item.age}</li>\n <button onClick={() => setDeletedIndex(i)}>Delete</button>\n </ul>\n ))}\n </>\n );\nexport default Element;\n\n" |
"Q: How to toggle plus to minus and vice-versa in bootstrap Accordion I am woking on Accordion using react-bootstrap I have successfully created the Accordion, Now I want to provide toggle to the each header like plus minus when it is open show - sing when it is closed show plus sign, But I am not able to handle the event \nWhat I have Done\nimport React from \"react\";\nimport \"./styles.css\";\nimport { Accordion, Card } from \"react-bootstrap\";\n\nconst App = () => {\n const data = [\n { name: \"mike\", age: 22 },\n { name: \"clive\", age: 25 },\n { name: \"morgan\", age: 82 }\n ];\n return (\n <div className=\"App\">\n <Accordion defaultActiveKey=\"0\">\n {data.map((item, index) => (\n <Card>\n <Accordion.Toggle as={Card.Header} eventKey={index}>\n {item.name}\n </Accordion.Toggle>\n <Accordion.Collapse eventKey={index}>\n <Card.Body>{item.age}</Card.Body>\n </Accordion.Collapse>\n </Card>\n ))}\n </Accordion>\n </div>\n );\n};\nexport default App;\n\nI am using this\nWorking Code sandbox\n\nA: You can just create a custom Accordion.Toggle# with custom onclick event, also use useState to handle the toggle event that set +/- signs:\nHere is a snippet or sandbox:\nimport React, { useState } from \"react\";\nimport \"./styles.css\";\nimport { Accordion, Card, useAccordionToggle } from \"react-bootstrap\";\n\nfunction CustomToggle({ children, eventKey, handleClick }) {\n const decoratedOnClick = useAccordionToggle(eventKey, () => {\n handleClick();\n });\n\n return (\n <div className=\"card-header\" type=\"button\" onClick={decoratedOnClick}>\n {children}\n </div>\n );\n}\n\nconst App = () => {\n const [activeKey, setActiveKey] = useState(0);\n\n const data = [\n { name: \"mike\", age: 22 },\n { name: \"clive\", age: 25 },\n { name: \"morgan\", age: 82 }\n ];\n return (\n <div className=\"App\">\n <Accordion defaultActiveKey={0} activeKey={activeKey}>\n {data.map((item, index) => (\n <Card key={index}>\n <CustomToggle\n as={Card.Header}\n eventKey={index}\n handleClick={() => {\n if (activeKey === index) {\n setActiveKey(null);\n } else {\n setActiveKey(index);\n }\n }}\n >\n {item.name}\n {activeKey === index ? \"-\" : \"+\"}\n </CustomToggle>\n <Accordion.Collapse eventKey={index}>\n <Card.Body>{item.age}</Card.Body>\n </Accordion.Collapse>\n </Card>\n ))}\n </Accordion>\n </div>\n );\n};\nexport default App;\n\n" |
"Q: React semantic ui card group warning - Encountered two children with the same key I put a map index in key elemental to have their own unique key.\nItems looks have their unique key.\nWhen I put address.id as key, same warning returns...\nThis is my code.\nimport React from 'react'\nimport { Card } from 'semantic-ui-react';\nimport Layout from '../components/Layout'\nimport Generator from '../ethereum/generator'\nimport Betting from '../ethereum/betting'\n\nfunction BettingIndex(props) {\n\n function renderBettings() {\n const items = props.bettings.map(async (address, index) => {\n const title = await Betting(address).methods.title().call()\n\n return {\n key: index,\n header: title,\n description: \"description\",\n fluid: true,\n }\n })\n\n return <Card.Group items={items}/>\n }\n\n return (\n <Layout>\n <h3>Open Bettings</h3>\n { renderBettings() }\n </Layout>\n );\n\n}\n\nBettingIndex.getInitialProps = async function() {\n const data = await Generator.methods.getDeployedBettings().call()\n return { bettings : data }\n}\n\nexport default BettingIndex;\n\n" |
"Q: Troubleshooting Light Dom + Lightning Web Security I'm trying to test the feasibility of using the library jsPDF to render a PDF from the HTML rendered by an LWC. I've created a simple test project in a scratch org as follows:\n\n*\n\n*Created static resources for jsPDF and html2canvas, which is needed by jsPDF to read rendered html.\n\n\n*Created a shadow-dom LWC to act as the parent, since Light Dom components cannot be top-level components.\n// shadowParent.html\n<template>\n <c-light-child ></c-light-child>\n</template>\n\n//shadowParent.js\nimport {LightningElement} from 'lwc';\n\nexport default class ShadowParent extends LightningElement {\n\n}\n\n\n\n*Created a light-dom LWC component to render some content and PDF it:\n\nlightChild.html\n<template lwc:render-mode=\"light\">\n <div class=\"main-container\">\n <h1>Light Dom Component</h1>\n <div for:each={sections} for:item=\"section\" key={section}>\n <h2>{section}</h2>\n <p>This is the {section} section.</p>\n </div>\n </div>\n <button onclick={testPdf}>Test</button>\n</template>\n\nimport {LightningElement} from 'lwc';\nimport { loadScript } from \"lightning/platformResourceLoader\";\nimport JS_PDF from '@salesforce/resourceUrl/jspdf';\nimport HTML2CANVAS from '@salesforce/resourceUrl/html2canvas';\n\nexport default class LightChild extends LightningElement {\n static renderMode = 'light';\n jsPdfInitialized = false;\n\n sections = ['Heading One', 'Heading Two', 'Heading Three'];\n renderedCallback() {\n if (this.jsPdfInitialized) {\n return;\n }\n this.jsPdfInitialized = true;\n Promise.all([\n loadScript(this, JS_PDF),\n loadScript(this, HTML2CANVAS)\n ]).then(() => {\n console.log('jsPdf loaded.');\n });\n }\n\n testPdf() {\n const content = this.querySelector('.main-container');\n const { jsPDF } = window.jspdf;\n const doc = new jsPDF();\n doc.html(content, {\n callback: function() {\n console.log('callback...');\n doc.save();\n console.log('complete!');\n }\n });\n }\n}\n\nConsole logging has shown me that I appear to be getting a valid jsPDF object assigned to doc, but no logging occurs from the callback; instead I get the error Lightning Web Security: Cannot access write:\naura_prod.js:53 Uncaught (in promise) Error: Lightning Web Security: Cannot access write.\n at HTMLDocument.<anonymous> (aura_prod.js:53:2040)\n at Object.apply (aura_prod.js:59:36251)\n at aura_prod.js:59:21437\n at wt.eval [as St] (eval at bc (aura_prod.js:59:27602), <anonymous>:3:4554)\n at wt.eval (eval at bc (aura_prod.js:59:27602), <anonymous>:3:3993)\n at fn.toIFrame (eval at <anonymous> (eval at bc (aura_prod.js:59:27602)), <anonymous>:20:147482)\n at eval (eval at <anonymous> (eval at bc (aura_prod.js:59:27602)), <anonymous>:20:194607)\n at eval (eval at <anonymous> (eval at bc (aura_prod.js:59:27602)), <anonymous>:20:1976)\n at Object.eval [as next] (eval at <anonymous> (eval at bc (aura_prod.js:59:27602)), <anonymous>:20:2081)\n at eval (eval at <anonymous> (eval at bc (aura_prod.js:59:27602)), <anonymous>:20:1023)\n\nAt this point, I'm not sure how to troubleshoot further. LWS runs everything in JS \"Sandboxes\", so all the stack trace lines point to aura_prod.js instead of my code or the jsPDF code. The error indicates that a 'write' method is being called which is being disallowed, but I don't know where or why. I had hoped that by using Light DOM, jsPDF would be able to modify the DOM (I think it renders the HTML to a canvas element).\nI've tried running in Debug mode; this causes hundreds of \"Mutations on the membrane of an object originating outside of the sandbox will not be reflected on the object itself\" messages, but no additional information about the actual error above.\nI've tried turning off LWS and running under Locker Service; this causes loadScript to blow up with an undocumented error, plus I don't expect LS to allow the DOM manipulation jsPDF needs.\nWhat are my options for tracking down and possibly addressing this error?\n" |
"Q: Flutter/Dart: how to make text be hoverable when exceeding the width of its container I have this list of artists and i put as subtitle the subgenres of the artist:\n\nI would like that the extra part of the subtitle to be hoverable as [techno, rap ... and have the whole list shown only when hovering with the mouse at the subtitle.\nHere is the list creation part\n Container(\n height: height,\n child: _foundUsers.isNotEmpty\n ? ListView.builder(\n itemCount: _foundUsers.length,\n itemBuilder: (context, index) => Card(\n key: ValueKey(_foundUsers[index][\"name\"]),\n color: Colors.blue,\n // elevation: 1,\n margin: const EdgeInsets.symmetric(vertical: 5.0),\n child: Container(\n height: height / _cardsPerScreen - 10,\n child: _foundUsers.isNotEmpty\n ? SingleChildScrollView(\n child: Column(\n mainAxisAlignment: MainAxisAlignment.center,\n crossAxisAlignment:\n CrossAxisAlignment.center,\n children: [\n ListTile(\n leading: Text(\n _foundUsers[index][\"id\"].toString(),\n style: const TextStyle(\n fontSize: 24,\n color: Colors.white),\n ),\n title: Text(\n _foundUsers[index]['artist'].name,\n style:\n TextStyle(color: Colors.white)),\n subtitle: Text(\n '${_foundUsers[index][\"artist\"].subgenres.toString()}',\n style:\n TextStyle(color: Colors.white)),\n ),\n ],\n ),\n )\n : Container(),\n )),\n )\n : const Text(\n 'No results found',\n style: TextStyle(fontSize: 24),\n ),\n ),\n\n" |
"Q: nth-child first-child not working trying to get the nth-child/first-child working\non the first label within the form below\nbut can't get it right\nAt the moment I'm using\nform label {\n display: block;\n font-size: 20px;\n font-size: 2rem;\n line-height: 18px;\n cursor: pointer;\n margin:0 auto;\n color:#FFF;\n text-transform:uppercase;\n padding:40px 0 10px;\n font-weight: normal!important;\n}\nlabel:first-child {\n padding-top:0;\n }\n\nbut have used \nform code div.field span.lspan label:nth-of-type(1) \nform code div.field span.lspan label:first-child \n.lspan label:first-child \nform label:first-child \n\nthey set all labels in the form to padding 0\n <form method=\"POST\" action=\"\" class=\"\">\n <div class=\"field\">\n <span class=\"lspan\"><label for=\"sender_name\">Name</label></span>\n <span class=\"inspan\"><input class=\"hinput\" type=\"text\" name=\"sender_name\" value=\"\"></span>\n </div>\n <div class=\"field\">\n <span class=\"lspan\"><label for=\"sender_name\">Email</label></span><span class=\"inspan\"> <input class=\"hinput\" type=\"text\" name=\"email\" value=\"\"> </span></div>\n <div class=\"field\">\n <span class=\"lspan\"><label for=\"subject\">Subject</label></span><span class=\"inspan\"><input class=\"hinput\" type=\"text\" name=\"subject\" value=\"\"></span></div>\n <div class=\"field\">\n <span class=\"lspan\"><label for=\"sender_name\">Message</label></span><span class=\"inspan\"> <textarea class=\"htextarea\" name=\"message\"></textarea></span></div>\n<div class=\"field\">\n </div>\n <div class=\"field\" style=\"margin-top:15px\">\n\n <input type = \"submit\" class=\"csubmit\" name = \"submit\" value=\"Submit\" style=\"\" />\n </div>\n </form>\n\nThanks\nRoy\n\nA: All the <label> tags in your code are a first-child of their respective <span> element.\nIf you only want to target the first appearance of a <label> in your code use this:\nform div:first-child label {\n padding: 0;\n}\n\nThis will target any label within the <div> element, that is the first-child of the form.\nRemember, that you can use :first-child on any subselektor and not just on the outermost right!\n" |
"Q: ORA-30929: ORDER SIBLINGS BY clause not allowed here I am trying to write a SQL to show a hierarchical pattern. My first attempt was good with a single data, as the following SQL works.\nSELECT CONCAT (LPAD (' ',LEVEL*3-3), M.MODULE) MODULE,M.ABBREVIATION,M.PARENT \nFROM MRS_CUSTOM.CL_MODULES M\nCONNECT BY PRIOR M.ABBREVIATION = M.parent\nSTART WITH M.PARENT IS NULL\nORDER SIBLINGS BY M.MODULE;\n\nThis sql will show the following:\nAdmissions ADMIS \n Admissions Correspondence ADMCO ADMIS\n Agent Interface to Applicant Portal ADAIAP ADMIS\n Applicant Portal ADMP ADMIS\n Statistics APSTAT ADMP\n My.Application Portal MYAP ADMIS\n Precedents ADMIS_PRD ADMIS\n Selection Process Management SPM ADMIS\nAdvanced Standing ADVSTG \n Precedents ADVSTG_PRD ADVSTG\nArchive Module AM \n\nNow I need to append to this\n select (CONCAT (LPAD (' ',LEVEL*3-3), M.MODULE)) \n MODULE,M.ABBREVIATION,M.PARENT,count(distinct(RS.REPORT_ID)) as \n NUM_REPORTS,count(distinct(MP.DB_ROLE)) as NUM_ROLES \n from MRS_CUSTOM.CL_MODULES M, MRS_CUSTOM.CL_MODULE_PRIVS MP, MRS_CUSTOM.CL_REPORT_SPECS RS\n where M.ABBREVIATION = RS.MODULE(+) and\n M.ABBREVIATION = MP.ABBREVIATION(+)\n CONNECT BY PRIOR M.ABBREVIATION = M.parent\n START WITH M.PARENT IS NULL\n group by M.ABBREVIATION, M.MODULE, M.PARENT\n ORDER SIBLINGS BY M.MODULE;\n\nbut I get error\nORA-30929: ORDER SIBLINGS BY clause not allowed here\n\n\nA: You can do the join first, and then perform the hierarchical query on the result of the join:\nSELECT CONCAT (LPAD (' ',LEVEL*3-3), M.MODULE) MODULE, M.ABBREVIATION, M.PARENT,\n M.NUM_REPORTS, M.NUM_ROLES\nFROM (\n select M.MODULE, M.ABBREVIATION, M.PARENT,\n count(distinct(RS.REPORT_ID)) as NUM_REPORTS,\n count(distinct(MP.DB_ROLE)) as NUM_ROLES \n from MRS_CUSTOM.CL_MODULES M\n left join MRS_CUSTOM.CL_REPORT_SPECS RS\n on RS.MODULE = M.ABBREVIATION\n left join MRS_CUSTOM.CL_MODULE_PRIVS MP\n on MP.ABBREVIATION = M.ABBREVIATION\n group by M.ABBREVIATION, M.MODULE, M.PARENT\n) M\nCONNECT BY PRIOR M.ABBREVIATION = M.parent\nSTART WITH M.PARENT IS NULL\nORDER SIBLINGS BY M.MODULE;\n\nI've switched to ANSI join syntax instead of Oracle's old-style joins.\ndb<>fiddle with some mad-up data.\n" |
"Q: HasMany - BelongsTo with RESTAdapter Ember.js Trying to create a has many belongs to with RESTAdapter. In essence I have a card (twitter user) that has many hashtags. I'm using ember-cli.\nMy models:\n//models/card.js\nimport DS from 'ember-data';\n\nexport default DS.Model.extend({\n handle: DS.attr('string'),\n bio: DS.attr('string'),\n avatar: DS.attr('string'),\n hashtags: DS.hasMany('hashtag')\n});\n\n\n//models/hashtag.js\nimport DS from 'ember-data';\n\nexport default DS.Model.extend({\n title: DS.attr('string'),\n print: DS.attr('boolean'),\n card: DS.belongsTo('card')\n});\n\nMy Card Route\nimport Ember from 'ember';\n\nexport default Ember.Route.extend({\n model: function(){\n return this.store.createRecord('card');\n },\n\n actions: {\n submitHandle: function () {\n var card = (this.currentModel);\n var store = this.store;\n var hashtag = store.createRecord('hashtag');\n\n card.set(\"bio\", \"testbio\");\n card.set(\"avatar\", \"twitter.com/129012931/img_original.jpg\");\n\n hashtag.set(\"title\", \"EmberJS\");\n hashtag.set(\"print\", false);\n hashtag.set(\"card\", card);\n\n card.get('hashtags').addObject(hashtag);\n\n card.save();\n }\n }\n});\n\nIn my route when the user puts in a twitter name I am making up a dummy card and hashtag. I add the hashtag to the cards hashtags. It all works great up to this point on the ember side. If I don't call card.save(), the card and hashtag are associated as expected. When I call .save() the request posted is:\ncard: {handle: \"@testing123\", bio: \"testbio\", avatar: \"twitter.com/129012931/img_original.jpg\"}\n\nNo mention of the hashtag.\nI'm using sails for the back end which seems to save whatever is provided in the request.\nIf I try something like:\n hashtag.save().then(function () {\n card.save()\n });\nWhich I tried because I thought I might need an ID from the server for the hashtag before Ember could associate it with the card. The hashtag request is as follows:\n{\"hashtag\":{\"title\":\"EmberJS\",\"print\":false,\"card\":null}}\n\nAnd the card request:\n{\"card\":{\"handle\":\"@wiolsid\",\"bio\":\"testbio\",\"avatar\":\"twitter.com/129012931/img_original.jpg\"}}\n\n\nA: A couple of newbie considerations.\n\n\n*\n\n*Try creating a hashtag like this:\nvar hashtag = store.createRecord('hashtag', {card: card});\n\nThen you don't need card.get('hashtags').addObject(hashtag);.\n\n*Save the child model before saving the parent model.\nHere's a fiddle i had created to try out a similar task:\n\n\n*\n\n*Simple: http://jsbin.com/kiligi/2/edit?html,js,output\n\n*Abstracted into a mixin: http://jsbin.com/rufogo/1/edit?html,css,js,output\n" |
"Q: Adding Dynamic Material Design Components using Knockout.js Good morning,\nI am pretty new to both Material Design Lite and Knockout and I am trying to figure out steps needed to add dynamic Material Design components. I feel like I am missing something basic here.\nI am adding cards using one of their basic examples: https://getmdl.io/components/index.html#cards-section\nand am adding a contextual menu\n(https://getmdl.io/components/index.html#menus-section) to the bottom right corner of the card:\nI can add new cards dynamically without issue, but I cannot get the contextual menu to work on the dynamically added cards.\nJSFiddle: (https://jsfiddle.net/tychonomega/dyj0jLw1/)\nHTML\n<div class=\"demo-card-wide mdl-card mdl-shadow--2dp\">\n <div class=\"mdl-card__title\">\n <h2 class=\"mdl-card__title-text\">Welcome</h2>\n </div>\n <div class=\"mdl-card__supporting-text\">\n Lorem ipsum dolor sit amet, consectetur adipiscing elit. Mauris sagittis pellentesque lacus eleifend lacinia...\n </div>\n <div class=\"mdl-card__actions mdl-card--border\">\n <a class=\"mdl-button mdl-button--colored mdl-js-button mdl-js-ripple-effect\">\n Get Started\n </a>\n <!-- Right aligned menu on top of button -->\n <button id=\"demo-menu-top-right\" class=\"mdl-button mdl-js-button mdl-button--icon pull-right\">\n <i class=\"material-icons\">more_vert</i>\n </button>\n\n <ul class=\"mdl-menu mdl-menu--top-right mdl-js-menu mdl-js-ripple-effect\" data-mdl-for=\"demo-menu-top-right\">\n <li class=\"mdl-menu__item\">Some Action</li>\n <li class=\"mdl-menu__item\">Another Action</li>\n <li disabled class=\"mdl-menu__item\">Disabled Action</li>\n <li class=\"mdl-menu__item\">Yet Another Action</li>\n </ul>\n </div>\n <div class=\"mdl-card__menu\">\n <button class=\"mdl-button mdl-button--icon mdl-js-button mdl-js-ripple-effect\">\n <i class=\"material-icons\">share</i>\n </button>\n </div>\n</div>\n\n<button data-bind=\"click: addNewCard\">Add New Card</button>\n\n\n<div id=\"cardContainer\" data-bind=\"foreach: apis\">\n <div class=\"demo-card-wide mdl-card mdl-shadow--2dp\">\n <div class=\"mdl-card__title\">\n <h2 class=\"mdl-card__title-text\">Welcome, <span data-bind=\"text: titleValue\"></span></h2>\n </div>\n <div class=\"mdl-card__supporting-text\">\n Lorem ipsum dolor sit amet, consectetur adipiscing elit. Mauris sagittis pellentesque lacus eleifend lacinia...\n </div>\n <div class=\"mdl-card__actions mdl-card--border\">\n <a class=\"mdl-button mdl-button--colored mdl-js-button mdl-js-ripple-effect\">\n Get Started\n </a>\n <!-- Right aligned menu on top of button -->\n <button data-bind=\"attr: {id: 'cardMoreButton_' + $index() }\" class=\"mdl-button mdl-js-button mdl-button--icon pull-right\">\n <i class=\"material-icons\">more_vert</i>\n </button>\n\n <ul class=\"mdl-menu mdl-menu--top-right mdl-js-menu mdl-js-ripple-effect\" data-bind=\"attr: {'data-mdl-for': 'cardMoreButton_' + $index() }\">\n <li class=\"mdl-menu__item\">Some Action</li>\n <li class=\"mdl-menu__item\">Another Action</li>\n <li disabled class=\"mdl-menu__item\">Disabled Action</li>\n <li class=\"mdl-menu__item\">Yet Another Action</li>\n </ul>\n </div>\n <div class=\"mdl-card__menu\">\n <button class=\"mdl-button mdl-button--icon mdl-js-button mdl-js-ripple-effect\">\n <i class=\"material-icons\">share</i>\n </button>\n </div>\n </div>\n</div>\n\nJavaScript\nfunction CardModel(title) {\n var self = this;\n\n self.titleValue = ko.observable(title);\n}\n\n\nvar MdlViewModel = function() {\n\n var self = this;\n this.apis = ko.observableArray();\n\n\n self.addNewCard = function() {\n alert(\"Adding new APIModel!\");\n self.apis.push(new CardModel(\"HELLO!!!\"));\n\n }\n};\nko.applyBindings(new MdlViewModel());\n\nMy eventual goal would be to have some options in that contextual menu, like remove, refresh from server, so on so forth.\nThe card above the button can be seen as an example of what I am trying to attain.\nAny ideas why the context menu is not working for the dynamically generated content? Bonus points if you can show how to bind the actions after it is working :)\nBy the way I did try to find the answer on my own and searched here as well. I think that this might be one of those cases where I just don't know what I am looking for.\n\nA: The answer was found here: https://github.com/google/material-design-lite/issues/855\nI used \ncomponentHandler.upgradeDom('MaterialMenu', 'mdl-menu');\n\nin my addNewCard javascript function.\n<script type=\"text/javascript\">\n function CardModel(title) {\n var self = this;\n\n self.titleValue = ko.observable(title);\n }\n\n\n var MdlViewModel = function () {\n\n var self = this;\n this.apis = ko.observableArray();\n\n\n self.addNewCard = function () {\n self.apis.push(new CardModel(\"HELLO!!!\"));\n window.componentHandler.upgradeDom('MaterialMenu', 'mdl-menu'); // added here\n }\n };\n ko.applyBindings(new MdlViewModel());\n</script>\n\nand it is now working. Interestingly enough, adding that to the fiddle does not solve the issue there, but it does in my code.\n" |
"Q: Dynamically load data cards based on Dataabse value in Angular2 I have this demo card from material design, how can I display multiple datacards based on the database value. \nIf the value in my database is 4 then I need to display 4 datacards in the UI. \nThe backend database in my case is mongoDB. \n<!-- Square card -->\n<style>\n.demo-card-square.mdl-card {\n width: 320px;\n height: 320px;\n}\n.demo-card-square > .mdl-card__title {\n color: #fff;\n background:\n url('../assets/demos/dog.png') bottom right 15% no-repeat #46B6AC;\n}\n</style>\n\n<div class=\"demo-card-square mdl-card mdl-shadow--2dp\">\n <div class=\"mdl-card__title mdl-card--expand\">\n <h2 class=\"mdl-card__title-text\">Update</h2>\n </div>\n <div class=\"mdl-card__supporting-text\">\n Lorem ipsum dolor sit amet, consectetur adipiscing elit.\n Aenan convallis.\n </div>\n <div class=\"mdl-card__actions mdl-card--border\">\n <a class=\"mdl-button mdl-button--colored mdl-js-button mdl-js-ripple-effect\">\n View Updates\n </a>\n </div>\n</div> \n\n\nA: If you have a dataCard model like so.\ndataCard = {\n \"title\":\"\",\n \"bodyText\" : \"\",\n \"actionText\":\"\"\n};\n\n//and your service returned an array of dataCard objects.\n\n@Component({\n selector:'dataCard',\n template : `\n<div *ngFor=\"#card of _dataList\" class=\"demo-card-square mdl-card mdl-shadow--2dp\">\n <div class=\"mdl-card__title mdl-card--expand\">\n <h2 class=\"mdl-card__title-text\">{{card.title}}</h2>\n </div>\n <div class=\"mdl-card__supporting-text\">\n {{card.bodyText}}\n </div>\n <div class=\"mdl-card__actions mdl-card--border\">\n <a class=\"mdl-button mdl-button--colored mdl-js-button mdl-js-ripple-effect\">\n {{card.actionText}}\n </a>\n </div>\n</div>`\n})\nexport class DataCard implements OnInit{\n private _dataList : Type;\n private other.....,\n\n constructor(service:Service){\n // setup\n }\n\n ngOnInit(){\n this.service.fetchDataForCards()\n .subscribe(data => this._dataList = data);\n }\n}\n\n" |
"import React from 'react';\nimport markdown from './README.mdx';\nimport { Module, ModuleHeader, ModuleBody, ModuleFooter } from '../Module';\n\nexport default {\n title: 'Components/Content Related/Module',\n component: Module,\n subcomponents: { ModuleHeader, ModuleBody, ModuleFooter },\n parameters: {\n componentSubtitle: 'Component',\n status: 'released',\n mdx: markdown,\n },\n};\n\nexport const Regular = (args) => (\n <Module {...args}>\n <ModuleHeader>Module example</ModuleHeader>\n <ModuleBody>\n <p>\n Lorem Ipsum is dummy text of the printing and typesetting industry.\n Lorem Ipsum has been the industry's standard dummy text ever since the\n 1500s, when an unknown printer took a galley of type and scrambled it to\n make a type specimen book.\n </p>\n </ModuleBody>\n <ModuleFooter>Module footer</ModuleFooter>\n </Module>\n);\n\nexport const Dark = (args) => (\n <Module dark>\n <ModuleHeader>Dark module example</ModuleHeader>\n <ModuleBody>\n <p>\n Lorem Ipsum is dummy text of the printing and typesetting industry.\n Lorem Ipsum has been the industry's standard dummy text ever since the\n 1500s, when an unknown printer took a galley of type and scrambled it to\n make a type specimen book.\n </p>\n <p>\n It has survived not only five centuries, but also the leap into\n electronic typesetting, remaining essentially unchanged.\n </p>\n </ModuleBody>\n <ModuleFooter>Module footer</ModuleFooter>\n </Module>\n);\n\nDark.story = {\n parameters: {\n docs: {\n storyDescription: `Use the \\`dark\\` prop to highlight a module.`,\n },\n },\n};\n\nexport const Light = (args) => (\n <Module light>\n <ModuleHeader>Dark module example</ModuleHeader>\n <ModuleBody>\n <p>\n Lorem Ipsum is dummy text of the printing and typesetting industry.\n Lorem Ipsum has been the industry's standard dummy text ever since the\n 1500s, when an unknown printer took a galley of type and scrambled it to\n make a type specimen book.\n </p>\n <p>\n It has survived not only five centuries, but also the leap into\n electronic typesetting, remaining essentially unchanged.\n </p>\n </ModuleBody>\n <ModuleFooter>Module footer</ModuleFooter>\n </Module>\n);\n\nLight.story = {\n parameters: {\n docs: {\n storyDescription: `Use the \\`light\\` prop to show a module on a white background.`,\n },\n },\n};\n\nexport const WithHover = (args) => (\n <Module light withHover>\n <ModuleBody>\n <p>\n Lorem Ipsum is dummy text of the printing and typesetting industry.\n Lorem Ipsum has been the industry's standard dummy text ever since the\n 1500s, when an unknown printer took a galley of type and scrambled it to\n make a type specimen book.\n </p>\n <p>\n It has survived not only five centuries, but also the leap into\n electronic typesetting, remaining essentially unchanged.\n </p>\n </ModuleBody>\n </Module>\n);\n\nWithHover.story = {\n parameters: {\n docs: {\n storyDescription: `Use the \\`light\\` prop to show a module on a white background.`,\n },\n },\n};\n" |
"Q: Undefined array index error in PHP Hello everybody I have some strange problem with this very simple code:\n if($_GET['task'] == 'dropMenu') dropMenus($_GET['id'], $_GET['val']);\n\n function dropMenus($elemId, $elemValue){\n global $pdo;\n\n\n switch($elemId){\n case 'bank':\n $dbTable = 'bank';\n $cellName = 'bankname';\n break;\n\n case 'tipe':\n $dbTable = 'cardtype';\n $cellName = 'type';\n break;\n\n case 'holder':\n $dbTable = 'cardholder';\n $cellName = 'holdername';\n break;\n\n }//end switch()\n\n\n $result = $pdo->query('select * from bank '.$dbTable);\n\n foreach($result as $row){\n $dbArray[] = array('id' => $row['id'], 'name' => $row[$cellName]);\n }//end foreach\n }//end dropMenus\n\nIf $elemId = 'bank' everything works fine, but if $elemId = 'tipe' for some reason I receive this message: \n\nNotice: Undefined index: type in C:\\xampp\\htdocs\\financeStat\\cards\\cardsImprove\\cards.php on line (the line where is $dbArray[] = array('id' => $row['id'], 'name' => $row[$cellName]))\n\nor $elemId = 'holder' the message is:\n\nNotice: Undefined index: holdername in C:\\xampp\\htdocs\\financeStat\\cards\\cardsImprove\\cards.php on line (the line where is $dbArray[] = array('id' => $row['id'], 'name' => $row[$cellName]))\n\nAny idea?\n\nA: There is no type or holdername fields in db results. That what your error is saying. Check your database results.\n\nA: The issue is that the fact that $row does not contain the fields type or cardholder. I would check the output of your db request by doing:\n $result = $pdo->query('select * from'.$dbTable);\n\nThis will show you what exactly is in the $row variable. \n" |
"/** @jest-environment jsdom */\nimport React, { useState } from 'react';\nimport { createEditor, Editor } from 'slate';\nimport { Editable, Slate, withReact } from 'slate-react';\nimport { render } from '@testing-library/react';\nimport { makeEditor } from '../tests/utils';\nimport { MyDataTransfer } from './data-transfer';\n\nfunction OtherEditor({ editor }: { editor: Editor }) {\n // note that the entire point here is to have a different document structure to Keystone's\n const [val, setVal] = useState(\n () =>\n [\n {\n isHeading: true,\n children: [\n {\n text: 'some heading',\n },\n ],\n },\n {\n isHeading: false,\n children: [\n {\n strong: true,\n text: 'some heading',\n },\n ],\n },\n ] as any\n );\n return (\n <Slate editor={editor} onChange={setVal} value={val}>\n <Editable\n renderElement={({ element, attributes, children }) => {\n return (element as any).isHeading ? (\n <h1 {...attributes}>{children}</h1>\n ) : (\n <p>{children}</p>\n );\n }}\n renderLeaf={({ attributes, children, leaf }) => {\n return (leaf as any).strong ? (\n <strong {...attributes}>{children}</strong>\n ) : (\n <span {...attributes}>{children}</span>\n );\n }}\n />\n </Slate>\n );\n}\n\n// this is important because a user might copy content from some other slate editor\n// and because slate inserts the slate content into the DataTransfer, Slate would normally\n// try to just insert that content but if it's from a non-Keystone editor\n// we prevent this from being a problem by inserting some data onto the DataTransfer\n// to indicate that it's from Keystone's document editor and not some other slate editor\ntest('pasting from another slate editor works', () => {\n const otherEditor = withReact(createEditor());\n render(<OtherEditor editor={otherEditor} />);\n otherEditor.selection = {\n anchor: Editor.start(otherEditor, []),\n focus: Editor.end(otherEditor, []),\n };\n const data = new MyDataTransfer();\n otherEditor.setFragmentData(data);\n const newIntermediateEditor = createEditor();\n newIntermediateEditor.children = [{ type: 'paragraph', children: [{ text: '' }] }];\n newIntermediateEditor.selection = {\n anchor: { offset: 0, path: [0, 0] },\n focus: { offset: 0, path: [0, 0] },\n };\n const editor = makeEditor(newIntermediateEditor);\n editor.insertData(data);\n expect(editor).toMatchInlineSnapshot(`\n <editor\n marks={\n {\n \"bold\": true,\n }\n }\n >\n <heading\n level={1}\n >\n <text>\n some heading\n </text>\n </heading>\n <paragraph>\n <text\n bold={true}\n >\n some heading\n <cursor />\n </text>\n </paragraph>\n </editor>\n `);\n});\n" |
"Q: Martial ui react js how to align griditem to center how can i align center this input field in my form. using material-ui to create this field all my fields are currently aligned to the left of the form.\n <GridItem xs={2}>\n <CustomInput\n labelText=\"Children Count\"\n formControlProps={{\n fullWidth: true,\n }}\n inputProps={{\n type: 'text',\n ...formik.getFieldProps(\n 'family.relationCountsConfig.childrenCount',\n ),\n error:\n get(\n touched,\n 'family.relationCountsConfig.childrenCount',\n '',\n ) &&\n get(errors, 'family.relationCountsConfig.childrenCount', ''),\n }}\n />\n\n" |
"Q: Uncaught TypeError: Cannot set property 'background' of undefined I'm about to make a random background color javascript code. So when you refresh the page, all element's background color will change, but in Chrome, I got an error : \n\n\"Uncaught TypeError: Cannot set property 'background' of undefined\"\n\nHere's my JavaScript and HTML : \n\n\nvar colors = [\n [\n [65], [131], [215]\n ], [\n [217], [30], [24]\n ], [\n [245], [215], [110]\n ], [\n [135], [211], [124]\n ]\n];\n//Getting a random color \nvar random = Math.floor(Math.random() * 4);\n\nvar block = document.getElementsByClassName('block');\nvar obj;\nfor (obj in block) {\n if (block.hasOwnProperty(obj)) {\n\n block[obj].style.background =\n \"rgb\" + \"(\" + colors[random][0] + \", \" + colors[random][1] + \", \" + colors[random][2] + \")\";\n }\n}\n\n\ndocument.getElementById('body').style.background = \"rgb\" + \"(\" + colors[random].r + \", \" + colors[random].g + \", \" + colors[random].b + \")\";\n<a href=\"#\">\n<li class=\"block block1\">\n <i class=\"icon-vcard\"></i>\n <h3>Contact us</h3>\n <content>\n <h3>Contact us</h3>\n <p>\n Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's</p>\n </content>\n</li>\n</a>\n<a href=\"#\">\n <li class=\"block block2\">\n <i class=\"icon-users\"></i>\n <h3>Staff</h3>\n <content>\n <h3>Staff</h3>\n <p>\n Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's</p>\n </content>\n</li>\n</a>\n<a href=\"#\">\n <li class=\"block block3\">\n <i class=\"icon-wrench\"></i>\n <h3>Tools</h3>\n <content>\n <h3>Tools</h3>\n <p>\n Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's</p>\n </content>\n</li>\n</a>\n<a href=\"#\">\n <li class=\"block block4\">\n <i class=\"icon-info\"></i>\n <h3>About us</h3>\n <content>\n <h3>About us</h3>\n <p>\n Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's</p>\n </content>\n</li>\n</a>\n\n</ul>\n\n \n\n\n\nA: You are iterating over the blocks with a for...in, which also causes you to iterate over the \"length\" property.\nA better approach: \nvar blocks = document.getElementsByClassName('block');\n\nfor (var i=0;i<blocks.length;i++) {\n blocks[i].style.background =\n \"rgb\" + \"(\" + colors[random][0] + \", \" + colors[random][1] + \", \" + colors[random][2] + \")\";\n}\n\n" |
"Q: How to dynamically create elements with *ngFor from an array of tag names? I am creating a website builder and need to dynamically render html element where the tags and content are supplied from an array. Is that possible with *ngFor?\n@Component({\n selector: 'app-root',\n template: `\n <ng-container *ngFor=\"let element of elements\">\n <{{element.tag}}>\n {{ element.text }}\n </{{element.tag}}>\n </ng-container>\n `\n})\nexport class AppComponent {\n elements = [\n { tag: 'div', text: 'foo' },\n { tag: 'p', text: 'bar' },\n ]\n}\n\nTo keep things simple, this example is flat but my actual use case is recursive with children\nexport interface ElementDescriptor {\n tag: string\n text?: string\n children?: ElementDescriptor[]\n}\n\n\nA: As pointed by @MarkoEskola in his answer, you can use Angular Renderer2. From your model, you create the text content with createText(), then create the element with createElement() and then add to its parent with appendChild(). Repeat the process for descendants.\nThis is untested (coded here on SO):\n@Component({\n selector: 'app-root',\n template: `\n <div #root></div>\n `\n})\nexport class AppComponent implements OnInit {\n elements: ElementDescriptor = [\n { tag: 'div', text: 'foo' },\n { tag: 'p', text: 'bar' },\n ]\n\n @ViewChild('root', { static: false }) private root: ElementRef;\n\n constructor(private renderer: Renderer2) {}\n\n ngOnInit(): void {\n this.addChildren(this.root, this.elements);\n }\n\n private addChildren(parent: HTMLElement, children: ElementDescriptor[]): void {\n for (var child of children) {\n this.addChild(parent, child.tag, child.text);\n if (child.children) {\n this.addChildren(child, children);\n }\n }\n } \n\n private addChild(parent: HTMLElement, childTag: string, childText: string): void {\n const el = this.renderer.createElement(childTag);\n const text = this.renderer.createText(childText);\n\n this.renderer.appendChild(el, text);\n this.renderer.appendChild(parent, el);\n }\n}\n\nYou might also need to do some checks to ensure adding a text to an element is valid, or adding a specific element as child to another does not invalidate your component's HTML markup.\n\nA: I think you have to add the elements to the DOM in the code by using Angular Renderer2 and its methods. I don't think this is possible only using ngFor and template.\nhttps://www.concretepage.com/angular-2/angular-4-renderer2-example\n" |
"Q: children component receiving \"undefined\" from an array of object prop I have a parent component that has an array of objects state, this state is passing to a children component. When I receive this prop and console.log, returns undefined.\nPARENT\nimport { useState } from \"react\";\n\nimport Children from './Children'\n\nimport cardsData from \"../cardsData\";\n\nconst Parent = () => {\n \n const [cards, setCards] = useState(cardsData); // set cardsData in a state\n\n return (\n <div className='flex flex-col w-full my-4 gap-4 rounded-full md:grid grid-cols-4 md:grid-row-3'>\n <Children\n cards={cards}\n />\n </div>\n )\n}\n\nexport default Parent\n\nCHILDREN\nconst Children = ({ cards }) => {\n console.log({cards});\n\n return (\n <div className=\"bg-white w-full h-60 md:col-span-2 rounded-lg\">\n {cards[0].title}\n </div>\n );\n};\n\nexport default CardSpanCol2;\n\nMY DATA\nconst cardsData = [\n {\n id:1,\n type: \"about\",\n title: \"Gabriel Barros\",\n subTitle: \"Web Development\",\n text: \"Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the\",\n },{\n id:2,\n type: \"about\",\n picture: \"./assets/me.jpg\"\n },{\n id:3,\n type: \"media\",\n title:\"Twitter\"\n }\n ]\n\n\nexport default cardsData;\n\nCONSOLE.LOG:\nenter image description here\nERROR: TypeError: Cannot read properties of undefined\n\nA: Error in the Children component, you need to change the base string to \"export default Children;\"\n" |
"High G Training Centre, RAF Cranwell – Built by Galliford Try Wins Best Non-Residential Development at FBE East Midlands 2018 Awards.\nThe Galliford Try-built RAF Cranwell High G Training and Test facility has been recognised by the Forum for the Built Environment East Midlands awards, winning in the category for best non-residential development.\nThe £8.7m scheme saw the creation of a new facility which houses the centrifuge that allows the training of pilots to withstand the intense G-forces created by flying fast jets. The 39-tonne machine rotates 34 times a minute around the 1,600 sqm drum-shaped building, reaching 9g, the equivalent of the forces faced flying the new F35 Lightning.\nThe project was delivered for Thales UK, on behalf of the RAF, and is the first facility of its kind to built in the UK since the 1950s." |
"Multi-million pound investment for RAF Lakenheath ahead of welcoming US F-35s\nLeaders from RAF Lakenheath, the Defence Infrastructure Organisation, Air Force Civil Engineer Center, West Suffolk County Council and Kier VolkerFitzpatrick pose for a photo at RAF Lakenheath. Picture: U.S. Air Force/Staff Sgt. Alex Echols\nOne of East Anglia's most important air bases will see £160m of new infrastructure as it prepares for the arrival of American fighter jets.\nRAF Lakenheath will become the first permanent base for US Air Force F-35s in Europe in a move which the government says will strengthen the \"historic military ties\" between the US and the UK.\nThe £160m contract, awarded to construction firm Kier VolkerFitzpatrick, will see a flight simulator facility, a maintenance unit, and new hangers and storage facilities.\nThe flight simulator will have the ability to link remotely to other simulators used by UK pilots across the UK and beyond, allowing expertise to be shared and for UK and US pilots to train together.\nAround 700 people will be working on the site at the height of construction, with Kier VolkerFitzpatrick stating 40pc of materials for the supply chain will be procured within a 75 mile radius of the base.\nTobias Ellwood, minister for defence people and veterans, said the move would bring \"substantial benefits\" to the economy around the area.\nHe said: \"For more than one hundred years now our armed forces have fought in defence of our common values and interests. Our two countries have developed the deepest, broadest and most advanced relationship of any two nations.\n\"Today marks another step towards reinforcing the strong partnership between our two nations and an exciting milestone for RAF Lakenheath.\"\nHe added: \"This investment will see substantial benefits to local economy, bringing 1,000 new personnel with their families and we will work hard to ensure that the benefits will last long after construction ends.\"\nThe commander of USAF 48th Fighter Wing, based at RAF Lakenheath, Colonel Will Marshall, said: \"\"This is an exciting milestone for the 48th Fighter Wing and for all our partners.\n\"We're transforming RAF Lakenheath together, and the work we do today is critical to the future security of the United States, the United Kingdom and the NATO Alliance.\"\nConstruction is due to begin in the summer of 2019 ahead of the arrival of the F-35s from November 2021.\nBuilders find surprise message hidden in floor of 150-year-old Norfolk building" |
"Drake is set to bring his tour The Assassination Vacation to the UK this year.\nThe Canadian rap star will hit the road in a few weeks, and intends to leap over the Atlantic for a visit to British shores.\nOpening with a pair of dates in Manchester Arena on March 10th and 11th, the hip-hop icon then plays three consecutive nights at Birmingham Resorts World Arena.\nHitting London - Drake's home-from-home - the rapper will play an astonishing six nights at the O2 Arena.\nOpening on April 1st, the run closes on April 9th with tickets going on sale this Friday (January 25th) at 10am." |
"He'll play six gigs in London, three in Birmingham and two in Manchester, where the tour starts, across March and April.\nTiffany was recently announced as Charlie Sloth's replacement on 1Xtra's Rap Show, which is also broadcast on BBC Radio 1.\nAfter beginning at the Manchester Arena on March 10th, Drake will visit Paris, Dublin, Antwerp and Amsterdam in addition to the UK dates.\nHis 2017 Aubrey & the Three Migos Tour visited the US and Canada, but this will be his first UK visit since Would You Like a Tour? which ended in 2015.\nAlongside him will be hip hop DJ Tiffany Calver, who is the first woman to present the prestigious Saturday night rap slot.\nThe 24-year-old took over in early January, following the likes of Tim Westwood and Charlie Sloth in presenting the show.\n\"I'm honoured to be taking over the slot that has pretty much soundtracked my life,\" she said at the time.\nImage caption Tiffany was the first female to curate a mix for Drake's OVO Sound radio show.\nEarlier this year, she opened for Beyonce and Jay-Z's On The Run tour and is the official DJ for Fredo, who recently had a UK number one with Funky Friday with Dave." |
"November, 30\nBeyonce and Kendrick Lamar to headline Coachella - report\nBeyonce and rapper Kendrick Lamar have reportedly been tapped to headline California's Coachella festival next year (17).\nRumours suggesting the Formation hitmaker will be taking over the Indio desert first emerged in September (16), and now the gossip has gathered pace, with Kendrick also allegedly invited to close out one night of the three-day music and arts event, according to HITS Daily Double.\nRockers Radiohead are heavily tipped as the third headlining act.\nThe official line-up is set to be announced in January (17).\nThe Coachella 2017 will take place over two weekends, from 14 to 16 April and again from 21 to 23 April (17), with the same artists performing at each event.\nLCD Soundsystem, Guns N' Roses, and Calvin Harris topped the bill for this year's (16) festival.\nIf the news about Beyonce and Kendrick is true, it won't be their first appearances at the big desert gig.\nKendrick surprised fans twice in April (16) when he joined both Ice Cube and Anderson Paak onstage to perform his hits Alright and Backseat Freestyle, while he made his Coachella debut back in 2012, when he played his own solo set.\nBeyonce, meanwhile, made a memorable appearance in 2014 when she danced onstage alongside her sister Solange, four years after she was brought out as a special guest by husband Jay Z, who was one of the headliners in 2010.\nBeyonce and Kendrick are also collaborators - the rapper featured on the R&B icon's song Freedom, from her latest album, Lemonade.\nKaty Perry has learnt a lot from her relationship with Orlando Bloom.\nKate Moss is to star in an Elvis Presley music video.\nBeyonce and rapper Kendrick Lamar have reportedly been tapped to headline California's Coachella festival next year.\nPerrie Edwards loves being an \"agony aunt\" to fans who have been dumped.\nDavid Bowie, Prince and Nirvana's biggest hits are to be inducted into the Grammy Hall of Fame 2017.\nRapper Drake reportedly left fans disappointed after he didn't show up for a gig in Abu Dhabi.\nJohn Legend will be performing at the 2016 BBC Music Awards.\nOlly Murs is to perform for the Teenage Cancer Trust for the first time in 2017.\nMariah Carey's personal assistants are reportedly banned from dating in their first year of service.\nSir Rod Stewart will headline the Isle of Wight Festival 2017.\n2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 all" |
"Save the Date for GLUED at the Brewery!\nCrafty? We're making whales, sharks, flip flips and mermaid tails!\nCrafty? Join us monthly for \"Not Your Average Paint Night\" to make a flag sign!\nFeeling crafty? We're making pallet signs!" |
"Sup in Heels 4th annual Event!\nPut on your cutest swim suit and a cute dress with your high heels!! OH yes ladies we are going to SUP in heels!!! NO Stilettos, Thicker wider heels, wedges are the best....bring a smile and let's SUP!! If you have your own board its FREE! Just show up! Gate code annual pass 7518649 done." |
"Hey Curvies! I had the best weekend ever! Last Saturday Torrid #ownit pool party happened in Palm Springs, Ca. It was an exclusive event attended by the models of Torrid and top plus size bloggers/influencers. I had a blast, I wish I can take all of you with me and experience the best pool party ever! Can't say much about the event, nothing but the best, funnest and awesome experience. An event full of plus size women and body positivity. Enjoy the photos Curvies!\nSpecial thanks to MANON of Chicwithcurves blog. Thanks for hitching me a ride, for the photos and sharing the best time with me." |
"Join DJs Tessa & Lyla at The Pikey in Hollywood bring you the best party hits, 90s, hip-hop, soul and funk!\nWe've got DJ Sophenom on the cut this Saturday, November 19th from 10p-2a at The Pikey Hollywood playing hip-hop, throwbacks, and party hits!\nFriday night, join DJ ShanLynn for all the party hits at The Pikey in Hollywood!" |
"For those who don't know, SNAX is guest host for the last three Sundays in December at the notorious PORK party in Berlin.\nThis week, the 19th, will feature guest DJ's Namosh and Partwardy.\nCheck out the Facebook invite for all the sleazy details!" |
"Patrick Murphy-Racey is well-known as one of the best sports photographers in the world. In the past, he's demonstrated the capabilities of the Sony α9 as a sports-action super camera, and now he has his hands on the new Sony α7R III. In his latest video on his YouTube Channel, Murphy-Racey walks us through how he sets up the α7R III to shoot sports." |
"Indonesian finest DJ Jacky has joined with exchange program between Pukka Up – Allin. Mark Robinson as a Big Boss at Pukka Up Records & Management has played at Mirror Bali, then Jacky from Allin went to Ibiza.\nLast week, Jacky played at Pukka Up Thursday Ibiza Boat Party and Ibiza Sunset Boat Party and Tropical Wonderland on Saturday. He also shared the decks with Al Gibbs, Dayl, Tank, James Campbell and The Murphy Brothers at Eden." |
"life's just better with a bit of sparkle. we took our gold leather blooms, studded them with crystal centers, and sprinkled them all over this easy wool-blend sweater with billowing sleeves. you can wear it to parties or, you know, whenever you want to feel like you're in a mood for a party, which is probably every day." |
"Launch event - Night and Day, day like the the natural parts and chill out lounge of pool side, and night like the wild party we are going to held in the basement of Ocean.\nDj Dan and Dj Fameway, and we got some other surprise to you .\nAll you dressed in white will be eligible for the lucky draw, win bottles and some other goodies." |
"Some of Boston's most generous philanthropists and park supporters donned their finest millinery to Party in the Park on a beautiful spring day. This event takes the concept of ladies who lunch to an entirely new level as Boston's most sophisticated party goers come out in full force. Widely considered one of Boston's \"must attend events\", The Party in the Park comes to life under a grand tent on the banks of Jamaica Pond to raise funds for The Emerald Necklace Conservancy. Dirty Water TV's Francesca Mills and special guest reporter Tonya Chen Mezrich take you inside this fabulous afternoon event.\n**Special thanks and special credit given to Ashley at Salon Capri for Tonya's beautiful hair, style by All Too Human and hat by Louise Green for SALMAGUNDI who all made this event all the more stunning!" |
"Champions Drink Responsibly added a new photo.\nThese two photos of Rafa partying at his favorite Manacor spot Bauxa. thanks to @olivia_vierinha for linking me.\nRafa is seen partying, taking shots in Barcelona..I think he's earned it!\nPhotos have been tagged under This work is licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License." |
"Anthem Ranch Party, Coachella '09 from Anthem Magazine on Vimeo.\nOur annual Coachella parties just keep getting better! This year, we overtook a huge ranch in Indio, invited some internationally renowned DJ's to spin (Aeroplane, Cage & Aviary, Trouble & Bass), and threw the Americana-themed rager of the year.\nCheck out our wrap video for a peek into what was the Anthem Ranch Party -- or maybe just to remember the good times we know you had out in the desert with us!\nYou can find out more about the whole thing -- and what makes Anthem tick -- right here!" |
"Go Inside Rihanna's Over-the-Top Coachella Pool Party\nby Lauren McCarthy\nDoes anyone throw a party quite like Rihanna? Even at Coachella, when pool parties and late-night raves can overshadow much of the festival itself (okay, except for Beyoncé), the singer still knows how to make a splash—and in this case, literally. On Saturday afternoon—a prime time for weekend festivities—Rihanna hosted a pool party for her Fenty Puma brand. Dubbed FENTY x PUMA DRIPPIN, the bash was not your average pool party, though. Yes, there were inflatable slides, burgers, and plenty of margaritas. But there was also a full ATV field, where partygoers could live out their wildest motocross fantasies. Presiding over the shenanigans was Riri herself, of course, clad in head-to-toe Fenty. Also at the event were The Weeknd, Timothée Chalamet, Teyana Taylor, and A$AP Rocky. Here, go inside the exclusive Coachella event.\nRihanna arriving at the Fenty x Puma party in Coachella on Saturday, April 15th. Photo by Brian Finke for W Magazine.\nGuests at the Fenty x Puma party in Coachella on Saturday, April 15th. Photo by Brian Finke for W Magazine.\nASAP Rocky at the Fenty x Puma party in Coachella on Saturday, April 15th. Photo by Brian Finke for W Magazine." |
"//Chronixx\nCOACHELLA 2016 Lineup Announced: Calvin Harris, Sia, Ellie Goulding, Guns N Roses, Major Lazer and Many More!\nWhelp! Here it is…Goldenvoice just announced who will be on the bill for Coachella 2016. The announcement was made earlier this past week that Guns N Roses (Axl and Slash included) and LCD Soundsystem would be reuniting for for the festival. The full lineu...\nAn Interview With Reggae, Dance and Pop Musician/Producer, RICKY BLAZE!\nBorn and raised in Brooklyn, New York, musical prodigy Ricky Blaze's fusion of reggae, dance and pop is the source from which the thriving culture of teen dance has emerged. Ricky is amongst the top of New York and Jamaica's competitive dancehall scene, having collaborated...\n, By Leah" |
"Kendrick Lamar, Travis Scott, Future and More to Perform at 2017 Coachella\nEli Schwadron\nEli Schwadron Published: January 3, 2017\nThe Coachella Valley Music and Arts Festival unveils its 2017 lineup, which as usual boasts a plethora of big names. Kendrick Lamar, Future, Travis Scott and many more will perform at the April event.\nOther hip-hop acts include ScHoolboy Q, Lil Uzi Vert, Mac Miller, Gucci Mane, Raury, Denzel Curry and Tory Lanez. Additionally, the festival's non-rap headliners are Beyoncé and Radiohead. You can check out the full roster by checking out the festival flyer above.\nIt was first rumored back in November that K. Dot and Beyoncé would headline the annual California concert. Of course, Kendrick made a surprise appearance at Coachella 2016 during Anderson .Paak's set. Meanwhile, Beyoncé is going to make her first-ever appearance at the famous Golden State festival.\nWhile there are plenty of rappers performing at Coachella 2017, there's one that definitely stands out amongst the pack. Hip-hop fans will be happy to know that Kendrick, arguably the best rapper alive, will be headlining Coachella.\nXXL's Sidney Madden recently spoke with the TDE artist about his appreciation for President Barack Obama.\n\"I think the world, not just hip-hop owes him,\" said K-Dot. \"We all have to give him his credit due for even allowing us into the building. We would probably never get inside that house ever again. Think about it like that. Rick Ross, Cole, Nicki Minaj, he really went for us to come experience it. This is something our grandparents always wanted to see...\"\nTickets are going to be hard to come by, so grab them early. The festival will take place at Empire Polo Field in Indio, Calif. The event spans two weekends, from April 14 to 16 and April 21 to 23.\nHere Are the 50 Best Hip-Hop Projects of 2016\nSource: Kendrick Lamar, Travis Scott, Future and More to Perform at 2017 Coachella" |
"Coachella 2019. - GOT F.E.M.M ?\nCoachella 2019 starts next Friday on April 12th-14th and will have the second weekend of fun from the 19th-21st. There's only a limited amount of weekend ticket prices that are on sale on their website. Some of the stars in this year's lineup include Ariana Grande, Childish Gambino, Jaden Smith, Janelle Monae and more. Don't forget that this music festival has a set of rules for those who are attending. Such as where to park, camp, festival rules, and directions to get to the festival spot.\nAlso, don't forget to pack light for the day and don't forget the essentials like small wallet, water bottles, sunscreen, hats, sunglasses, bug spray, Advil, allergy pills, wet wipes, and a small flashlight. If there are any readers that want to know what else they should pack then they can check out the festival's website. Besides going for the music Coachella also offers some art exhibits and some delicious festival foods. Most of the food can be located under one large tent known as the Indio Central Market that carries food from fifteen different restaurants across the country. There will also be some food trucks and pop up restaurants as well.\nThere's also plenty of daytime fun festival goers can enjoy with their friends and family as well. Some of these activities include a water balloon toss, a classic pie eating contest, a giant Connect 4 game, and even a Farris Wheel. The festival also offers plenty of merchandise spots to check out. Some of these spots even carry extra sunscreen and stuff for those who run out or forgot to pack what they needed. Coachella also offers a mobile app for festival goers to keep track of the activities and concerts." |
"Tonight's a special night! Darek Cobbs, keyboardist with Pharrell, will be taking over our Twitter, Instagram and Facebook accounts so you can experience Coachella like a VIP! He'll be posting exclusive pics and videos from on the gig (see what I did there?), including backstage and on stage shots, his rig for tonight's show, and just about anything else he feels like posting!\nFollow us around the social webs (like buttons to the right) to see exclusive photos, video and to interact with Darek and Pharrell's band live during Coachella 2014!\nPrevious PostSee What It's Like to Play for Pharrell Live at Coachella!" |
"Elise Testone is returning to the Holy City TONIGHT. The singer will be joined by her fellow American Idol finalists at the North Charleston Coliseum at 7 pm.\nTestone moved to Charleston from New Jersey in 2005 and quickly became a regular at local music venues as a solo act or with The Freeloaders.\nThe American Idol Live! Tour also features show winner Phillip Phillips, Colton Dixon, DeAndre Brackensick, Erika Van Pelt, Heejun Han, Hollie Cavanagh, Jessica Sanchez, Joshua Ledet, and Skylar Laine.\nTo buy tickets head HERE." |
"Ariana Grande was reportedly a last-minute replacement for Kanye West after the rapper backed out from Coachella 2019, but the pop titan proved on Sunday (April 14) that she was not just a back-up plan. With her string of dancers in-tow, the 25-year-old chart-topper brought hits (and plenty of them) to the annual Indio music affair and she celebrated her recent career highs with special guests Diddy, Nicki Minaj, Mase, and *NSYNC during weekend one, and Justin Bieber during weekend two! If you weren't able to catch her headlining set in-person or via the festival's stream, iHeartRadio has your back with some hot shots from the pop spectacle. Scroll on!\nThis iconic picture was taken.\nWeekend two had a huge surprise... JUSTIN BIEBER!\nBieber performed \"Sorry\" while Ariana danced around the stage with him!" |
"Star Sightings: Lindsay Lohan Celebrates 'Beach Club' Premiere in New York City & More!\nDJ Tiesto was photographed backstage during Insomniac's annual Countdown celebration on New Year's Eve. The Dutch spinner was part of a huge lineup of the world's top artists including Afrojack and Zedd, who also played at the event to ring in the new year." |
"It's official – NSYNC will be making a special appearance alongside Ariana Grande during her set at the 2019 Coachella Music Festival!\nThe group – minus Justin Timberlake – snapped a selfie with Ari ahead of the show on Sunday night (April 14) in Indio, Calif.\nJoey Fatone, JC Chasez, Chris Kirkpatrick, and Lance Bass are all present for the big show while JT is on the east coast in New York City. Our sources spotted him tonight at sushi restaurant Sugarfish with Jessica Biel and other friends. He just wrapped his Man of the Woods tour on Saturday night.\nCoachella 2019 Lineup Revealed: Ariana Grande, Childish Gambino & More!\nSelena Gomez & Cardi B Give Surprise Coachella Performance During DJ Snake's Set!\nRosalía Proves She's an Artist to Watch at Coachella 2019!" |
"Teenage Dirtbag Wheatus Download 'Teenage Dirtbag' on iTunes\nDesert Trip WILL NOT Return In 2017\n12 May 2017, 12:03 | Updated: 12 May 2017, 18:35\nAccording to reports, the festival - which was dubbed Oldchella - will not be taking place this year.\nDesert Trip will not be taking place for the foreseeable.\nThe California event, which was dubbed \"Oldchella\" and was launched just last year, featured performances from legendary acts such as The Rolling Stones, Neil Young, Paul McCartney, Neil Young, Roger Waters and The Who.\nBut, according to Billboard, Goldenvoice CEO Paul Tollett confirmed: \"We're not doing Desert Trip this year\".\nThe Coachella founder and L.A. gig promoter explained: \"We loved 2016 Desert Trip -- that was a special moment in time. Maybe someday in the future we'll do something similar.\"\nThe news certainly casts doubts on the likelihood of a Led Zeppelin reunion this year, as rumours claimed Robert Plant and co. were set to play the event at the Empire Polo Club in Indio, California.\nWhile Led Zep may not be headed to Desert Trip this year, there's still a good chance they could one of the \"really big\" secrets planned for Glastonbury this year.\nFind out who we think could be headed to the festival here:" |
"Flatbush Zombies Explain How They Took A 'Vacation In Hell' On Their Latest Album\nApril 25, 2018 by: Aaron Williams\nThese Photos From The Do LaB Are A Reminder That It's The Most Innovative Part Of Coachella\nApril 20, 2018 by: Alia Stearns\nBeyonce's Second Coachella Performance Will Be Different, But It Won't Be Streamed\nApril 19, 2018 by: Cherise Johnson\nMarilyn Manson Says He Was Banned From Coachella, But Is Now Playing At The Same Time As Beyonce\nApril 18, 2018 by: Philip Cosores\nRock At Coachella Is Dead, Let It Rest In Peace\nCoachella 2018 Gave Hip-Hop's Rising Stars The Chance To Truly Shine\nCardi B Led The Charge For Women In Rap With Her Epic Coachella Performance\nBeyonce's Coachella Performance Was An Extravagant Celebration Of Black Femininity And Self-Love\nKendrick Lamar Still Rules Coachella, Even A Year After Headlining On His Own\nAll Of The Best Festival Fashion At Coachella 2018\nMarijuana Is Banned At Coachella, Even Though It's Perfectly Legal In California\nJanuary 8, 2018 by: Derrick Rossignol\nThe First Creepy Coachella Craigslist Post Of The Year Has Arrived\nJanuary 3, 2018 by: Philip Cosores\nCoachella's Rebrand As A Pop Music Festival Has Been A Long Time Coming\nLouis Tomlinson Sees The Coachella Lineup And Breathlessly Asks, 'Where The F-ck Are All The Bands?'\nCoachella's 2018 Lineup Features Beyonce, Eminem, The Weeknd, SZA, Cardi B, And Many More" |
"Bonanza Festival–Enter to Win Tickets!\nThe 2019 Bonanza Music Festival takes place June 21-23 at the River's Edge in Heber and we've got your chance to win tickets!\nThis year's festival is headlined by DJ Snake, G-Easy, and Empire of The Sun.\nEnter today for your chance to win tickets to this annual festival of music, arts, and camping!\nIn addition to the headliners, more than 25 artists will perform over the three day event. Check out the full line-up at bonanzacampout.com.\nTickets and camping passes are on sale now!\nBe sure to enter now for your chance to win tickets!" |
"January 10, 2023 by Josh Herwitt 1 Comment\nCoachella Valley Music and Arts Festival //\nEmpire Polo Club – Indio, CA\nApril 14th-16th & April 21st-23rd, 2023 //\nIt's that day again when Coachella finally lets the cat out of the bag each year.\nMany had speculated the famed California music festival would offer up its big secret this week as it often does once we ring in a new year, and Goldenvoice did just that for its 22nd installment on the same day Bonnaroo, Boston Calling and Sonic Temple all revealed their own lineups as well.\nBut after last year's installment saw late lineup changes with Ye (fka Kanye West) — unsurprisingly — backing out as the headliner for Sunday and being replaced by Swedish House Mafia and The Weeknd, it appears Goldenvoice CEO Paul Tollett is prepared for that sort of scenario should it happen again this April at the Empire Polo Club.\nHeadlining will be Bad Bunny, BLACKPINK and Frank Ocean, and while two of those artists check the box that we referred to in 2022 when it comes to the fest featuring more international acts, this year's Day 3 headliner — whose set was originally announced for the 2020 edition but was pushed back to 2023 as the COVID-19 pandemic sent Coachella on a three-year hiatus — is also one who has been known to cancel his performances.\nUgh was stuck in drafts 🫠\nRegister now for access to passes at https://t.co/qujCsdlTip. Presale begins Friday, 1/13 at 11am PT. Very limited Weekend 1 passes remain. For your best chance at passes, look to Weekend 2. pic.twitter.com/5zMQ4dJZHq\n— Coachella (@coachella) January 10, 2023\nIf Ocean does this time, Tollett and company will have Calvin Harris waiting in the wings and ready to step onto the main stage after 10 p.m. much like SHM did in 2022 (with some help from The Weeknd). He could even elevate sub-headliners Gorillaz, ROSALÍA and/or Björk to the No. 1 spot since two of them have headlined Coachella before. Either way, the man who has been organizing the three-day event — which expanded to two weekends in 2012 — for more than 20 years now certainly has his share of options after locking down Harry Styles and Billie Eilish to lead the charge a year ago.\nWe should note that it's not clear yet which day Harris will perform if all goes according to plan, but the five-time Grammy-nominated DJ/record producer has headlined once before in 2016 and was included as a sub-headliner in 2020 before it was ultimately canceled. We will provide updates about his status below whenever we have more information.\nGiven those contingencies, the roster for Coachella's 22nd edition has a lot to consider below the top line for each day and there are plenty of names that stick out among the undercard. And though those receiving high placement on the poster like Burna Boy, Eric Prydz, Kali Uchis, The Chemical Brothers, Porter Robinson, boygenius, Porter Robinson, Kaytranada, $uicideboy$, Fisher + Chris Lake, Blondie, the Kid LAROI, A Boogie, Becky G, Charli XCX, Dominic Fike, Metro Boomin, Labrinth, Jai Paul and Underworld are worth considering, there are others farther down that deserve being mentioned here such as FKJ, SOFI TUKKER, Jai Wolf, Wet Leg, Chromeo, 2ManyDJs, SG Lewis, TESTPILOT, Mura Masa, Weyes Blood, Marc Rebillet, Alex G and Hiatus Kaiyote.\nTickets for Weekend 1 are almost sold out, though you can always jump on the wait list here after three-day GA and VIP passes go on sale here during a presale this Friday, January 13th at 11 a.m. PT.\nFiled Under: Featured, Festivals Tagged With: $UICIDEBOY$, 070 Shake, 1999.ODDS, 2ManyDJs, 9th Wonder, A Boogie Wit Da Hoodie, Adam Beyer, AG Club, Airrica, Alex G, Ali Sethi, Angèle, Ashnikko, ¿Téo?, Bad Bunny, Bakar, Becky G, BENEE, Big Wild, Bjork, BLACKPINK, Blondie, Bonnaroo, Bonnaroo 2023, Boris Brejcha, Boston Calling, Boston Calling 2023, boygenius, BRATTY, Burna Boy, Calvin Harris, CamelPhat, Cannons, Carlita, Cassian, Charli XCX, Chloé Caillet, Chris Lake, Chris Stussy, Christine and the Queens, Chromeo, Coachella, Coachella 2023, Coachella Music and Arts Festival, Coachella Music and Arts Festival 2023, Colyn, Conexión Divina, DannyLux, Dennis Cruz + PAWSA, Despacio, Destroy Boys, Diljit Dosanjh, Dinner Party, DJ Tennis + Carlita DJ Tennis, Doechii, Dombresky, DOMi, DOMi & JD Beck, Dominic Fike, Donavan's Yard, DPR IAN, DPR LIVE + DPR IAN DPR LIVE, DRAMA, EarthGang, El Michels Affair, Eladio Carrión, Elderbrook, Elyanna, Eric Prydz, Eric Prydz Presents HOLO, Ethel Cain, Fisher, Fisher + Chris Lake, FKJ, Flo Milli, Fousheé, Francis Mercier, Frank Ocean, Gabriels, GloRilla, Gordo, Gorillaz, Guns N' Roses, Hiatus Kaiyote, HOLO, Horsegirl, Hot Since 82, IDK, Idris Elba, Jackson Wang, Jai Paul, Jai Wolf, Jamie Jones, Jan Blomqvist, JD Beck, John Digweed, Joy Crookes, Julien Baker, Juliet Mendoza, Jupiter & Okwess, Kali Uchis, Kamasi Washington, Kanye West, Kaytranada, Keinemusik, Kenny Beats, Knocked Loose, Kyle Watson, Labrinth, Latto, Lava La Rue, LCD Soundsystem, Lewis OfMan, Los Bitchos, Los Fabulosos Cadillacs, LP Giobbi, Lucy Dacus, Maceo Plex, Magdalena Bay, Malaa, Marc Rebillet, Mareux, Mathame, Metro Boomin, Minus the Light, MK, Mochakk, Momma, Monolink, MUNA, Mura Masa, NIA ARCHIVES, Noname, Nora En Pure, Oliver Koletzki, Overmono, Paris Texas, Phoebe Bridgers, Pi'erre Bourne, Porter Robinson, Pusha T, Rae Sremmurd, Rebelution, Remi Wolf, Robert Glasper, Romy, Rosalía, Saba, Sasha, Sasha & John Digweed, Sasha Alex Sloan, Scowl, SG Lewis, Shenseea, Sleaford Mods, Snail Mail, Sofi Tukker, Sonic Temple, Sonic Temple 2023, Sonic Temple Art & Music Festival, Sonic Temple Art & Music Festival 2023, Soul Glo, Stick Figure, Sudan Archives, Sunset Rollercoaster, Tale of Us, Terrace Martin, Testpilot, The Blaze, The Breeders, The Chemical Brothers, The Comet Is Coming, The Garden, The Kid LAROI, The Linda Lindas, The Murder Capital, Tobe Nwigwe, TSHA, TV Girl, Two Friends, UMI, Uncle Waffles, Underworld, Vintage Culture, Wet Leg, Weyes Blood, WhoMadeWho, Whyte Fang, Willow, Yaeji, Ye, Yung Lean, Yungblud, Yves Tumor\n10 California music festivals you won't want to miss in 2022\nMarch 1, 2022 by Josh Herwitt Leave a Comment\nWritten by Josh Herwitt //\nWith live music returning to stages across the U.S. during the second half of last year and spring now right around the corner, 2022 is shaping up to be a monumental year for the industry and a big reason for that is the comeback of the music festival. California has certainly played a major part in its revival coming out of a global pandemic, with a number of single-day and multi-day events already scheduled to take place up and down the Golden State over the next six-plus months. So, who's ready for festival season to begin?\nIf you're itching to hit a music festival, here are 10 in California you should save your cash for this year.\nCRSSD Festival\nLocation: Waterfront Park – San Diego\nDates: March 5th-6th\nTickets: Buy them here!\nOne North American concert promoter who wasn't deterred by the news surrounding the coronavirus' omicron variant a few months ago happens to be FNGRS CRSSD, the San Diego-based brand that debuted CRSSD Festival back in 2015 and has been going strong ever since with a spring and fall edition of the event each year. Unleashing another electronic-leaning roster for its first installment in 2022 with Glass Animals and SOFI TUKKER as headliners, CRSSD has managed to hold tight with its plans. Four Tet, Get Real (Claude VonStroke and Green Velvet), Gorgon City, 070 Shake, Blu DeTiger, Cautious Clay, Chet Faker, Parcels, Franc Moody, Lastlings, SG Lewis and more stack the undercard.\nSmokin Grooves Fest\nLocation: LA State Historic Park – Los Angeles\nDates: March 19th\nSmookin Grooves' lineup has easily matched what it offered fans in 2018 (read our review here) and 2019 (read our review here) after putting on excellent showings both years sheerly by landing Erykah Badu, Nas, The Roots, Miguel and Jhené Aiko to lead the charge. But adding The Internet, Flying Lotus, Kamasi Washington, Thundercat, Smino, Toro y Moi, SiR, Little Dragon, Hiatus Kaiyote and more to the roster makes this another must-see production. The one-day fest is also getting a change of scenery as it relocates north to the 32-acre LA State Historic Park in the Chinatown neighborhood of downtown LA that once hosted FYF Fest and several HARD events.\nCoachella Valley Music and Arts Festival\nLocation: Empire Polo Club – Indio, CA\nDates: April 15th-17th & April 22nd-24th\nThe three-day, two-weekend event is finally ready to give it another go in April after becoming one of the first large-scale music festivals in the U.S. to postpone its plans when the COVID-19 pandemic took the world by storm almost two years ago. Harry Styles and Billie Eilish will spearhead the 2022 lineup, with Swedish House Mafia back at Coachella for the first time in a decade since the electronic supergroup's closing set on the main stage in 2012 and The Weeknd added late to help replace Ye (fka Kanye West). The famed California fest has had a penchant for booking more international acts — from BLACKPINK to Bad Bunny — in recent years, and 2022 will be no different.\nBeachLife Festival\nLocation: Seaside Lagoon – Redondo Beach, CA\nThe three-day event moved to September in 2021 due to the COVID-19 pandemic, but it's back to its normal month of May this year with plenty to get excited about. Leading the fest's third installment will be Weezer and 311 as co-headliners on Friday while The Smashing Pumpkins and Steve Miller Band will have their own days — Saturday and Sunday, respectively — to shine even after the sun dips into the Pacific Ocean. Black Pumas, Vance Joy, Sheryl Crow, Stone Temple Pilots and Lord Huron, in the meantime, anchor an impressive undercard for what's sure to be a party down by the shore.\nLocation: Brookside at the Rose Bowl – Pasadena, CA\nDates: May 21st\nThe one-day music festival put on by Goldenvoice, which debuted in 2019 and was an instant success, has dropped a 2022 roster that should be a dream come true for any indie music fan. And after a two-year absence due to the COVID-19 pandemic, the show is ready to go on again — although this time it's migrating north from the Queen Mary Park in Long Beach to take over the Brookside Golf Course at the Rose Bowl — and we still can't remember the last time heaven ever looked this good. NYC indie rockers Interpol will have the honor of headlining this time around, but sets by Modest Mouse, The Shins, M.I.A., Bloc Party, Franz Ferdinand, Chromeo, Santigold, Cut Copy, The Hives, Wolf Parade, Peaches, !!!, The Raveonettes and more are likely to leave a lasting impression.\nLightning in a Bottle\nLocation: Buena Vista Aquatic Recreation Area – Bakersfield, CA\nAfter being forced to cancel its 15th edition more than 18 months ago due to the COVID-19 pandemic, the \"transformational festival\" is returning to Kern County over Memorial Day weekend and The Do LaB has retained a handful of acts on the 2020 roster from headliners like Kaytranada and GRiZ to several undercard standouts such as Purity Ring, Big Wild, Four Tet, Empress Of and Jon Hopkins. But LIB in 2022 will also feature some new blood, starting right at the top of the poster with Glass Animals as well as a pair of Brits in SG Lewis and Little Simz — who are newcomers to the event — on the bill. Other notable names include Chet Faker, Black Coffee, CloZee, Seth Troxler, Monolink, G Jones B2B Eprom, Maya Jane Coles, Goldlink, OPIUO, Chika, Mr. Carmack, Big Freedia, Dirtwire and more, including a Desert Hearts launch party with Lee Reynolds.\nBottleRock Napa Valley\nLocation: Napa Valley Expo – Napa, CA\nDespite announcing its lineup at the beginning of this year when COVID-19 cases were skyrocketing across the U.S. due to the omicron variant, the three-day event is marching ahead toward its normal timing of Memorial Day weekend after canceling in 2020 and sliding the festivities back to Labor Day weekend in 2021. And much like BottleRock's previous rosters, 2022's follows very much in the same vein (i.e. lots of rock 'n' roll) with Metallica, P!NK, Twenty One Pilots and Luke Combs topping the bill. The Napa fest's ninth edition should serve as a special performance for Metallica no less, considering that the legendary heavy-metal band has called the Bay Area home for almost three decades.\nOutside Lands Music and Arts Festival\nLocation: Golden Gate Park – San Francisco\nDates: August 5-7th\nAfter being forced in 2021 to push back its 13th year (read our review here) to Halloween weekend due to the COVID-19 pandemic, the three-day music festival is finally returning to its usual timing in August and spring is when we normally anticipate the lineup dropping every year. But the latest installment of SF's signature event has a slightly different feel than in years past as Green Day, Post Malone and SZA assume headlining duties with Jack Harlow, Weezer, Phoebe Bridgers, Illenium, Lil Uzi Vert, Kali Uchis, Disclosure, Mitski, Polo & Pan and Anitta leading the undercard. And though all three headliners will be topping the poster at OSL for the first time, Green Day's performance should carry a little extra weight given that the legacy act is originally from the East Bay.\nThis Ain't No Picnic\nBrookside at the Rose Bowl – Pasadena, CA\nDates: August 27th-28th\nConcert promoter Goldenvoice is bringing back This Ain't No Picnic to SoCal for the first time since 2002 and taking over the Brookside Golf Course at the Rose Bowl for two days in late August (warning: it will be hot) with a killer two-day roster that screams \"Pitchfork Fest!\" The event has a history of exposing the raw energy of punk-leaning, indie darlings such as Sonic Youth, Sleater-Kinney and Guided by Voices in 1999 before taking another step toward the mainstream by booking Beck, Yo La Tengo, Built to Spill, At the Drive-In and Modest Mouse for its 2000 edition. A couple of NYC products in The Strokes and LCD Soundsystem will serve as headliners in 2022 while the fest's undercard offers its own set of highlights starting with the reunion of Le Tigre, another NYC product who last reunited in 2016 to give us \"I'm with Her\" as their latest single.\nPrimavera Sound Los Angeles\nLA State Historic Park – Los Angeles\nDates: September 16-18th\nPrimavera Sound has been a staple across the music festival circuit since launching back in 2001 with its Spanish roots firmly planted in Barcelona. But we would be lying if we didn't admit here that we have eagerly been anticipating the release of Primavera Sound LA's inaugural lineup, which was originally set to make its U.S. debut in 2020 before the COVID-19 pandemic put a hold on things, and that news has finally become a reality with Arctic Monkeys, Lorde and Nine Inch Nails set to headline. That said, Arca, Bicep (Live), Buscabulla, Cigarettes After Sex, Clairo, DARKSIDE, Faye Webster, James Blake, Jehnny Beth, Khruangbin, Kim Gordon, King Krule, Low, Mitski, Stereolab and Tierra Whack have all signed on as well to mark what's looking like a banner year for live music in the City of Angels.\nWhich of these music festivals are you going to? Which are you looking forward to the most?\nFiled Under: Editor's Picks, Featured, Festivals Tagged With: !!!, 070 Shake, 311, Arca, Arctic Monkeys, At the Drive-In, Bad Bunny, Beck, Bicep, Big Freedia, Big Wild, Billie Eilish, Black Coffee, Black Pumas, BLACKPINK, Bloc Party, Blu DeTiger, BottleRock, BOTTLEROCK 2022, BottleRock Napa, BOTTLEROCK NAPA 2022, BottleRock Napa Valley, BOTTLEROCK NAPA VALLEY 2022, Brookside at the Rose Bowl, Buena Vista Aquatic Recreation Area, Built To Spill, Buscabulla, Cautious Clay, Chet Faker, Chika, Chromeo, Cigarettes After Sex, Clairo, Claude VonStroke, Claude VonStroke and Green Velvet, CloZee, Coachella, Coachella 2022, Coachella Music and Arts Festival, Coachella Music and Arts Festival 2022, Cut Copy, Darkside, Dirtwire, Empire Polo Club, Empress Of, Eprom, Erykah Badu, Faye Webster, Flying Lotus, Four Tet, Franc Moody, Franz Ferdinand, G Jones, G Jones B2B Eprom, Get Real, Glass Animals, Golden Gate Park, Goldenvoice, Goldlink, Gorgon City, Green Velvet, GRIZ, Guided by Voices, Harry Styles, Hiatus Kaiyote, Interpol, James Blake, Jehnny Beth, Jhené Aiko, Jon Hopkins, Just Like Heaven, Just Like Heaven 2022, Kamasi Washington, Kanye West, Kaytranada, Khruangbin, Kim Gordon, King Krule, LA State Historic Park, Lastlings, LCD Soundsystem, Le Tigre, LIB, LIB 2022, Lightning in a Bottle, Lightning in a Bottle 2022, Little Dragon, Little Simz, Lord Huron, Lorde, Los Angeles State Historic Park, Low, Luke Combs, M.I.A., Maya Jane Coles, Metallica, Miguel, Mitski, Modest Mouse, Monolink, Mr. Carmack, Napa Valley Expo, Nas, Nine Inch Nails, Opiuo, Outside Lands, Outside Lands 2022, Outside Lands Music Festival, Outside Lands Music Festival 2022, P!nk, Parcels, Peaches, Primavera Sound, Primavera Sound 2022, Primavera Sound LA, Primavera Sound LA 2022, Primavera Sound Los Angeles, Primavera Sound Los Angeles 2022, Purity Ring, Rose Bowl, Santigold, Seaside Lagoon, Seth Troxler, SG Lewis, Sheryl Crow, SiR, Sleater-Kinney, Smino, Smokin Grooves, Smokin Grooves 2022, Sonic Youth, Stereolab, Stone Temple Pilots, Swedish House Mafia, The Hives, The Raveonettes, The Roots, The Shins, The Smashing Pumpkins, The Strokes, This Ain't No Picnic, This Ain't No Picnic 2022, This Ain't No Picnic Festival, This Ain't No Picnic Festival 2022, Thundercat, Tierra Whack, Toro Y Moi, Twenty One Pilots, Vance Joy, Waterfront Park, Weezer, Wolf Parade, Ye, Yo la Tengo\nSmokin Grooves Fest returns in 2022 as Erykah Badu, Nas, The Roots, Miguel, Jhené Aiko & more stack the bill in downtown LA\nNovember 30, 2021 by Josh Herwitt 3 Comments\nSmokin Grooves Fest //\nMarch 19th, 2022 //\nSmookin Grooves is back!\nThe one-day, neo-soul festival, which found a home at the Queen Mary in Long Beach following a 16-year absence, has unleashed its 2022 lineup and it's absolutely stacked from top to bottom thanks to promoters Bobby Dee Presents and the legendary Snoop Dogg.\nIn fact, Smookin Grooves has easily matched what it offered fans in 2018 (read our review here) and 2019 (read our review here) after putting on excellent showings both years sheerly by landing Erykah Badu, Nas, The Roots, Miguel and Jhené Aiko to lead the charge.\nBut adding The Internet, Flying Lotus, Kamasi Washington, Thundercat, Smino, Toro y Moi, SiR, Little Dragon, Hiatus Kaiyote, Musiq Soulchild, India.Arie, Macy Gray, Angie Stone, Leela James, Talib Kweli, Roy Ayers, Dead Prez, Slum Village, Dwele, Joe Kay and more to the roster makes this another must-see production. Check out the poster above for the rest of the scheduled acts.\n🌸Smoking Grooves🌸\nThe Classic Neo-Soul vibes are back. Register for the presale, begins this Friday,December 3rd at 10AM PST. All tickets starting @ 19.99 down.\nME AND @SnoopDogg ARE AT IT AGAIN 🎫🎫🎫 🔥 🔥🔥🔥#smokingrooves #bobbydeepresents#snoopdoggpresents #livenation pic.twitter.com/BTOJgYZgGJ\n— BobbyDeePresents (@BobbyDeePresent) November 30, 2021\nKnown for being the first large-scale music fest in the 90's to counter rock-centric ones like Lollapalooza by pushing hip-hop, R&B and soul to the forefront of popular music with the help of The Fugees, A Tribe Called Quest, Cypress Hill and more, Smookin Grooves has already established quite a legacy for itself and Badu has certainly played an important role having performed at many of its editions, including the past two. Meanwhile, The Roots, Miguel and Aiko are all familiar names as well after their appearances at the festival in 2018.\nIt's also worth mentioning that Smokin Grooves is getting a change of scenery this March as it relocates north to LA State Historic Park, where we caught Duke Dumont, Miike Snow, Lido and more in 2017 for KCRW's inaugural Skyline festival (read our review here). Tucked against the Chinatown neighborhood of downtown LA, the 32-acre park underwent major renovations several years ago and has long been considered to be an excellent location for live music since its days hosting FYF Fest and HARD's LA-based events.\nSo, are you ready to get in on the action? Smokin Grooves will have a presale this Friday, December 3rd at 10 a.m. PT that you can sign up for here, with any remaining tickets available for purchase at 2 p.m. PT during the general sale. GA passes start at $184.99 and go up to $214.99, while GA+ begin at $249.99 before increasing to $269.99. And of course, if you're 21 years or older and willing to splurge, there's always VIP for $399.99 before jumping to $424.99 per person.\nUPDATE (March 15th): Ahead of this weekend's festivities, Smokin Grooves has dropped its set times for 2022 with some tough conflicts to work through, including Badu and Washington battling for eyeballs at the end of the day as well as Nas vs. Toro y Moi, Miguel vs. Flying Lotus, The Roots vs. Little Dragon and Jhené Aiko vs. Talib Kweli earlier in the night. Peep the full list above to see who's playing on which stage and when.\nLook back at our past coverage of Smookin Grooves Fest here.\nFiled Under: Featured, Festivals Tagged With: Angie Stone, Bilal, Blu & Exile, Charlotte Day Wilson, Coronavirus, Coronavirus Pandemic, Covid 19, COVID-19 Pandemic, Daydream Masi, Dead Prez, DOMi, DOMi & JD Beck, Dwele, Erykah Badu, Flying Lotus, Fousheé, Free Nationals, FYF, FYF Fest, FYF Festival, Goapele, HARD SF, HARD Summer, HARD Summer Music Festival, Hiatus Kaiyote, India Arie, JD Beck, Jelani Aryeh, Jhené Aiko, Joe Kay, Kamasi Washington, Leela James, Lido, Little Dragon, Macy Gray, Miguel, Musiq Soulchild, Nas, Phony Ppl, Ravyn Lenae, SiR, Slum Village, Smino, Smokin Grooves, Smokin Grooves 2022, Smokin Grooves Fest, Smokin Grooves Fest 2022, Soulection, Talib Kweli, The Internet, The Roots, Thundercat, Toro Y Moi, Unusual Demont, Yussef Dayes\nDesert Daze locks in The War on Drugs, Kamasi Washington & Toro y Moi as headliners for 2021\nJuly 21, 2021 by Josh Herwitt 1 Comment\nDesert Daze //\nMoreno Beach – Lake Perris, CA\nNovember 12th-14th, 2021 //\nAs the live music industry slowly returns to form this summer amid the COVID-19 pandemic, our attention has already turned to the fall with the hope that some of our favorite artists and bands will once again be touring and performing all across California and the West Coast in the coming months.\nAnd for almost the past decade now, Desert Daze has continued to serve as one of the Golden State's premier boutique music festivals, even after leaving its Joshua Tree roots for the more spacious confines of Lake Perris a few years ago.\nBut after taking 2020 off with coronavirus cases spiraling out of control in the U.S., the three-day event presented by Moon Block and Knitting Factory Entertainment is finally ready to welcome fans back to Moreno Beach in November with a scaled-down roster that still leans heavily into psych-rock as The War on Drugs, Kamasi Washington and Toro y Moi each get set to make their headlining debuts at Desert Daze's ninth edition.\nThe lake is calling ☎️ it's for you. Desert Daze pre-sale, exclusive to email subscribers, starts tomorrow at 10am PT. General onsale starts Friday, 7/23 at 10am PT. Limited Tickets + Camping Passes available. pic.twitter.com/mueNgegatY\n— Desert Daze (@desertdaze) July 21, 2021\nOne of the big highlights on this year's lineup is no doubt The War on Drugs with the fest representing the Grammy winners' first and only show slated in 2021, but also Washington — a virtuosic jazz saxophonist whose hometown performance at the Hollywood Bowl last weekend for KCRW's World Festival series saw him team up with Metallica guitarist Kirk Hammett and bassist Robert Trujillo to celebrate the forthcoming release of The Metallica Blacklist compilation with a nine-minute version of the heavy metal band's track \"My Friend of Misery\" — and Toro y Moi following his appearance at Porter Robinson's sold-out Second Sky Music Festival in Berkeley this September.\nOf course, we would be remiss to not mention a strong undercard that boasts Tim Heidecker & Weyes Blood, Devendra Banhart, Japanese Breakfast, Ty Segall, Andy Shauf, Yves Tumor, DIIV, The Budos Band, Crumb, Moon Duo, Sudan Archives, The Black Angels, Deap Vally, Pachyman, Kikagaku Moyo and many more so make sure to mark your calendar and peep the poster above for the rest of the scheduled acts.\nThree-day and single-day passes to Desert Daze will be available to purchase here for $225 and $75 during a 12-hour presale that starts this Thursday, July 22nd at 10 a.m. PT before the general public on-sale begins the next day at the same time. And with a limited capacity this year to allow for some more COVID-19 safety measures, you can bet tickets won't be around for very long. Good luck, Desert Dazers!\nFiled Under: Featured, Festivals Tagged With: Andy Shauf, billgazer, Chaz Bear, Crack Cloud, Crumb, Deap Vally, Desert Daze, Desert Daze 2021, Devendra Banhart, DIIV, Fear of Death, Fever Dream, GEESE, Japanese Breakfast, JJUUJJUU, Kamasi Washington, Kikagaku Moyo, Knitting Factory Entertainent., La Luz, Lake Perris, Mad Alchemy, Moon Block, Moon Duo, Moreno Beach, Pachyman, Porter Robinson, SASAMI, Second Sky Festival, Second Sky Festival 2021, Second Sky Music Festival, Second Sky Music Festival 2021, Slim Reaper, Snake Chime Zen, Spellling, Sudan Archives, The Black Angels, The Budos Band, The War on Drugs, Tim Hei, Tim Heidecker, Tim Heidecker & Weyes Blood, Toro Y Moi, Ty Segall, Warped Visions, Weyes Blood, Yves Tumor, Zachary Rodell\nOur favorite performances from 2018\nDecember 29, 2018 by The Bam Team Leave a Comment\nHoly smokes, 2018 … you were a blur. Maybe it's just us, but this year really did fly right by.\nBefore we officially say hello to 2019 though, it's time for us to revisit the past 12 months at Showbams. Every year we have the great privilege of witnessing some amazing moments in live music, and this year was no different. While we can't touch upon every performance we covered in looking back at the year that was, we still managed to see a wide variety of talent over the course of 2018.\nWhittling down our list is never easy. Those who didn't make the cut but still deserve to be mentioned here include the following artists, DJs and bands (in alphabetical order), all of whom we either covered at their own show and/or at a music festival this year:\nAaron Neville, A.CHAL, Alanis Morissette, Alina Baraz, Allen Stone, Amen Dunes, Aminé, A Perfect Circle, Ari Lennox, A$AP Rocky, Aquilo, BADBADNOTGOOD, The Bangles, Belle & Sebastian, The Beta Machine, Billie Eilish, BØRNS, Carly Rae Jepsen, Cashmere Cat, Childish Major, Chromeo, CHVRCHES, Cigarettes After Sex, Cloud Nothings, Cuco, Cut Snake, CyHi the Prynce, Daniel Caesar, Deap Vally, Destroyer, Diet Cig, Drab Majesty, DRAM, The Dustbowl Revival, Erykah Badu, Fantastic Negrito, Future, Garbage, George Fitzgerald, Gomez, Gov't Mule, Great Grandpa, Griz, The Growlers, Gucci Mane, HAERTS, H.E.R., Hot Flash Heat Wave, Ibeyi, Iggy Pop, Irma Thomas, Isaiah Rashad, Jaira Burns, Jamie xx, Jeff Goldblum and the Mildred Snitzer Orchestra, Jhené Aiko, John Maus, Josh Ritter & The Royal City Band, Joywave, JPEGMAFIA, Jungle, Kailee Morgue, Kaitlyn Aurelia Smith, Kamasi Washington, Kauf, Kelela, Kikagaku Moyo, Kings of Leon, Kopps, Laff Trax, Lion Babe, Lizzo, Lophile, Lord Huron, Los Lobos, Lucy Dacus, Margo Price, Miguel, Mija, Milk Carton Kids, ModPods, Moses Sumney, The Mother Hips, Mura Masa, Neil Young, N.E.R.D, North Mississippi Allstars, ODESZA, Pale Waves, Paula Frazer and Tarnation, Phantogram, Pharoah Sanders, Pixies, Polo & Pan, POND, Portugal. The Man, The Pretenders, Quicksand, Ravyn Lenae, Rivers Cuomo, The Revolution, Robert Plant, Rory Phillips, RÜFÜS DU SOL, Sabrina Claudio, Salt-N-Pepa, Santigold, Sasha Sloan, Seu Jorge, Shakey Graves, Shame, Shana Falana, Sharon Van Etten, Silk City, Sleigh Bells, Snoh Aalegra, Soccer Mommy, The Specials, The Spook School, Stephen Malkmus & the Jicks, Tame Impala, Tenacious D, Third Eye Blind, Tinashe, together PANGEA, TV on the Radio, Tycho, Typhoon, Uniform, Wafia, Waxahatchee, The Weeknd, Wet, William Tyler, Will Varley, Yen Yen, Zedd\nNow, it's time for The Bam Team to present our favorite performances from 2018.\nCut Copy\nDate: March 3rd\nLocation: Exposition Park – Los Angeles\nFor those in LA who missed Cut Copy 10 months ago when they visited the Shrine Expo Hall with De Lux, Palmbomen II and Cooper Saver also on the bill, their headlining performance last Friday at The Wiltern was another chance to dance the night away upon hearing several classics such as \"Need You Now\", \"Free Your Mind\", \"Future\", \"Hearts on Fire\" and to close, \"Lights & Music\". In fact, the last time that we caught them back in March, a mini downpour erupted at Shaun White's Air + Style (read our festival review here), but it didn't phase them. Who said playing — and dancing — in the rain isn't fun anyway? -Josh Herwitt, photo courtesy of Air + Style\nDate: March 4th\nIn what was easily the most visually stimulating (and pleasing) show we witnessed at Expo Park, Ernest Greene, who performs under the moniker Washed Out, entranced a completely packed crowd at the smaller Summer Stage with a slew of trippy visuals and his chilled-out tunes. We had been wanting to see Washed Out in SoCal for several months now, ever since Greene released the project's third LP Mister Mellow last year, and after missing his gig with Nick Murphy at the Shrine Expo Hall in October, we were glad to finally hear him play \"Hard to Say Goodbye\" (one of our favorite songs of 2017) and \"Feel It All Around\" live as any loyal \"Portlandia\" fan would be. With Toro y Moi venturing away from the chillwave movement he helped pioneer, it's up to Greene to lead the charge, and so far, he has done one hell of a job. -Josh Herwitt, photo courtesy of Air + Style\nAfter what we thought was an underwhelming way to wrap up Day 1, Air + Style closed with a bang thanks to Phoenix's energizing, 16-song set. The French indie-pop outfit have headlined Coachella before, and it was more than worthy of that billing for this occasion. Kicking things off with the opening track \"J-Boy\" from their sixth studio album Ti Amo that dropped back in June, Thomas Mars and company gave us exactly what we wanted to hear: a hit-ladden show featuring singles like \"Lisztomania\", \"Trying to Be Cool\", \"Too Young\" and \"1901\". No, there wasn't a Daft Punk or R. Kelly appearance — not that we expected one — but Phoenix put an exclamation point on an otherwise successful weekend. We may not have known the quartet could rock that hard after the last time we saw them, but we definitely do now. -Josh Herwitt, photo courtesy of Air + Style\nLocation: Apogee Studio – Santa Monica, CA\nHis guitar playing, meanwhile, may be just as impressive, if not surprising to some. Less than two weeks before Moby stepped into Bob Clearmountain's diminutive recording studio, I was fortunate enough to catch him the final of his three shows at The Echo, and it was there as he performed a variety of songs from Everything Was Beautiful, and Nothing Hurt, Play and a few other albums, that I fully realized just how talented he is with a black Gibson SG in his hands. He may be an electronic musician, but unlike a lot of them today, Moby is a musician in every sense of the word. While his vocals at times sound more like spoken word than actual singing, he has found more than capable sidekicks in Julie Mintz (keyboards, vocals) and Mindy Jones (vocals) to assist him in that department. Jones' ranging voice, in particular, is one that suits his music well, and when you hear her sing, her pipes elevate the song to a whole new level. -Josh Herwitt, photo by Brian Feinzimer\nDate: April 13th\nLocation: Coachella Valley Music and Arts Festival, Weekend 1 – Indio, CA\nWeeks before The War on Drugs released their fourth LP A Deeper Understanding last year, we were fortunate enough to hear Adam Granduciel and company perform a handful of cuts from the new album in an intimate setting for KCRW. It was then and there that we knew the follow-up to 2014's Lost in a Dream was another masterpiece, and that impression was only validated when A Deeper Understanding won the Grammy for \"Best Rock Album\" just a few months ago. On Day 1 of Coachella, the Philadelphia band brought some of those same songs we witnessed at Apogee Studio to life, though sadly, this time \"Holding On\" wasn't part of the setlist. But we did get to experience \"An Ocean in Between the Waves\" in all of its glory, and we still have yet to come across another piece of music in more recent years that will make you want to play air guitar as much as the seven-minute track from Lost in a Dream does. Who said rock was dead? -Josh Herwitt, photo courtesy of Goldenvoice\nThirteen years. That's how long it has been since Jamiroquai last performed in the U.S. With that in mind, there was no way we were going to miss Jay Kay and the rest of his sidekicks in favor of The Weeknd's headlining performance (sorry, Abel), and after what ended up being close to a 90-minute set from the London nu-funk/acid jazz group, we had no regrets about our decision. The only regret we have is that they ran out of time and didn't get to play their smash hit \"Virtual Insanity\" in its entirety, and you could tell Jay Kay felt bad about it as he jumped down from the stage to greet some overjoyed fans after wrapping the show up with \"Love Foolosophy\" from 2001's A Funk Odyssey. But while Weekend 2 attendees got the full version of the Travelling Without Moving single, we were treated to a massive surprise when Snoop Dogg came out to rap on \"Dr. Buzz\" with a huge blunt in his hand. It was the kind of collaboration you never expect to see, except at Coachella of all places. -Josh Herwitt, photo courtesy of Coachella\nWhile we can't say that we were completely thrilled with Goldenvoice's choices for this year's headliners, we were excited to see Eminem finally play Coachella (he had never performed in an official capacity before) and close out the festival on Sunday night. Sure, his newest album Revival didn't exactly receive rave reviews from critics when it dropped at the end of 2017, but watching one of hip-hop's most talented emcees run through his hits all while bringing out 50 Cent and Dr. Dre was undoubtedly THE highlight from Day 3. For this \"stan,\" just crossing Em off my concert bucket list would have been enough to send me home with a smile. Fortunately for those of us who were there though, the real Slim Shady lived up to the hype and more. -Josh Herwitt, photo courtesy of Coachella\nBig K.R.I.T.\nLocation: Echoplex – Los Angeles\nAt Echoplex, we were treated to the \"rapper\" and the man himself as bass-heavy party starters like the title-track opener and \"Confetti\" from 4eva Is a Mighty Long Time got everyone hyped, while Atlanta's T.I. came out to perform his verse on \"Big Bank\". After singling out one excited fan, who was wearing a shirt with a giant picture of his face, during the easygoing \"1999\" and paying homage to Southern rap pioneers UGK, Big K.R.I.T. took the latter half of his hour-long set to connect with the crowd. -Joseph Gray, photo by Joseph Gray\nSoulwax\nLocation: The Fonda Theatre – Los Angeles\nWhile Soulwax's recorded music has always been perfectly enjoyable, in person it becomes something else entirely. Their new, three-drummer lineup was the ideal format to hear new tracks like \"Is It Always Binary\" while giving older tracks such as \"KracK\" a newly textured and complex sound. Sitting stage right, drummer Victoria Smith, for one, offered the group some serious personality thanks to her animated facial expressions. -Zach Bourque, photo by Zach Bourque\nNxWorries\nDate: June 16th\nLocation: The Queen Mary – Long Beach, CA\nI fall somewhere in the middle between those two age groups, so it was fitting that the uber-talented rapper/singer/drummer Anderson .Paak had just walked onto the \"Free Your Mind\" main stage when I showed up. .Paak, 32, wore a smile as expressive as his music, packaged with a bright nautical-themed ensemble. He effortlessly impressed with standouts \"Suede\", \"Another Time\" and \"What More Can I Say\" off Yes Lawd!, his 2016 LP with Los Angeles hip-hop producer Knxwledge as part of their collaborative project NxWorries (pronounced \"No Worries\"). The duo's set would eventually culminate in a playful dance-off between women, which fans showed their appreciation for before .Paak and Knxwledge said their goodbyes. -Joseph Gray, photo by Joseph Gray\nHowever, anticipation for The Roots kept me at the main stage. It proved to be a wise decision, as their nearly hour-long performance reminded me why the Grammy-winning band is still so revered after more than three decades. Black Thought got the crowd riled up with a 10-minute barrage of lyrical proficiency that so many have come to know as his \"Hot 97 Freestyle\" after it hit the internet in December and quickly went viral, while his bandmates exuberantly jumped with sousaphones and guitars during \"You Got Me\" and a number of other hits. But providing a jolt like he only can, the one and only Busta Rhymes showed up for a quick-but-memorable performance of \"Put Your Hands Where My Eyes Can See\" and \"Pass the Courvoisier, Part II\". -Joseph Gray, photo by Joseph Gray\nDate: July 16th\nLocation: Great American Music Hall – San Francisco\nI'm far from an expert on this kind of thing (because I'm not), but I didn't expect to see the Melvins perform with the amount of energy that they showcased. For a band that has been touring and putting out new material for the past 35 years, they performed as if everything depended on it. You weren't going to catch \"King Buzzo\" standing in one place for too long, with his signature fro whipping in the wind from the fans that were on the stage, McDonald and Pinkus holding it down on their own instruments, and Crover beating the living hell out of his drums. Fans were ready to receive the band and responded to the various sonic blasts coming from the amplifiers. During the thrashy songs, they formed a brutal pit, and during the sludgier songs, they lit up joints and bobbed their heads to the music. -Andrew Pohl, photo by Mike Rosati\nGlassjaw\nLocation: Observatory OC – Santa Ana, CA\nGlassjaw's show covered their entire discography, and very few fan favorites were left off the setlist. While it was to be expected that newer tunes like \"Shira\" and \"New White Extremity\" would rock, it was staggering how well their older songs held up in a live setting. Palumbo's voice, though slightly less manic than it once was, is still unmatched in its vocal range and shear intensity. -Zach Bourque, photo by Zach Bourque\nDate: August 8th\nLocation: The Forum – Inglewood, CA\nThat's not to say that Cuomo isn't a talented musician. In fact, quite the opposite is true. The Harvard grad shreds without question, something I never really realized until he uncorked a number of guitar solos, whether it was during \"Buddy Holly\" to open Weezer's performance or \"Say It Ain't So\" (with a snippet of Black Sabbath's \"Paranoid\") to put a bow on the show. And while there aren't many lead singers who can do both, Cuomo certainly remains among some elite company, with Jack White, Trey Anastasio (Phish), Jim James (My Morning Jacket) and Josh Homme (Queens of the Stone Age) also immediately coming to mind. -Josh Herwitt, photo by Josh Herwitt\nDate: August 11th\nThere was a bit of controversy surrounding Saturday's main slot as Florence + the Machine officially made the move to full-blown festival headliner. Some festivalgoers had their own doubts after FYF Fest 2018 was canceled with a near-identical top billing, but Florence and her bandmates proved, many times over, that she is more than capable of commanding any stage as her energy is unlike many others. She debuted a brand-new show, which featured \"June\" in the opening slot and was book-ended by \"Big God\" and \"Shake It Out\" for a two-song encore. -Kevin Quandt, photo by Norm de Veyra\nThe incomparable Janelle Monáe was a tad late to take the stage, as she was fighting off a stomach bug, but when she did, she captivated the masses with a suite of tracks from her most recent release Dirty Computer and tossed in a fair amount of costume changes over a nearly hour-long set. Monáe proved that she's easily one of the best in the business at the moment and will only continue to climb upwards. -Kevin Quandt, photo by Norm de Veyra\nLocation: The Wiltern – Los Angeles\nFortunately, Deafheaven haven't bowed to convention or criticism. Their fourth studio album Ordinary Corrupt Human Love, which ANTI‐ released last month, is their arguably their most experimental to date, spanning more than an hour over seven songs. There's a sense of angst and nostalgia in the music that leans far more positive and hopeful than their previous work. There are still echoes of black metal at times, but you can feel this is a band that's embracing its differences instead of defending them. -Zach Bourque, photo by Zach Bourque\nLocation: Santa Barbara Bowl – Santa Barbara, CA\nYet, for as eclectic and wide-ranging as White's output has been over two decades, it's the unpredictable nature of his live shows that makes them so intriguing to see. This time, we were treated to a rare cover of The Stooges' \"T.V. Eye\" from their 1970 album Fun House, as well as a number of fan favorites, from set closer \"Ball and Biscuit\" to an eight-song encore that featured \"Icky Thump\" (with some amusing \"Icky Trump\" messaging), \"Steady, as She Goes\" (with a snippet of Richard Berry's 1955 song \"Louie Louie\"), and of course, what has easily become the biggest stadium anthem in the world, \"Seven Nation Army\". And though the show didn't conclude without a few hiccups during some of White's improvised playing between songs, he hasn't lost his unique ability to surprise an audience — whether it means bringing out his mother in Detroit to perform \"Hotel Yorba\" with him or covering Pearl Jam's \"Daughter\" in Seattle — at any given moment, especially when we all aren't staring down at our phones. -Josh Herwitt, photo courtesy of Jack White\nDate: August 22nd\nLocation: Bill Graham Civic Auditorium – San Francisco\nAs the show progressed into his songs \"Here\" and \"Lazy\", Byrne's band joined him onstage. The light changed and filled in the stage, giving the audience a happier tone and providing a seamless transition into a Talking Heads interlude. Then, later on during \"Blind\", one of the more stunning visual elements was made possible by a simple lamp that was placed in front of the band, casting whirling shadows on the strands of beads hanging behind them. -Tim O'Shea, photo by Tim O'Shea\nDate: September 20th\nLocation: Hollywood Palladium – Los Angeles\nRight before that final aforementioned single, they brought out Phoebe Bridgers to help them perform \"Sorrow\" from 2010's High Violet, as Berninger and the 24-year-old singer-songwriter, who said during her brief opening set that The National were her favorite band, traded vocals on the tune they once played 105 times in a row, with the performance at an art installation in New York lasting all of six hours. We weren't quite as fortunate to get that kind of show in LA, as The National opted for one of their more traditional, two-hour events. But whether you've been a fan from the start or one like myself who arrived rather late to the party, The National continue to make some of the most compelling music in rock, expanding their fan base with each and every album they release. That's the sign of any good band these days, and though there's only a handful of others that could even say the same right now, The National should take comfort in knowing they're one of those select few. -Josh Herwitt, photo by Josh Herwitt\nDate: September 23rd\nLocation: Hollywood Bowl – Los Angeles\nSimilarly, the gig also marked one of Grizzly Bear's last performances in support of their fifth LP Painted Ruins, which they released last year on RCA Records, and having already played a two-night run at The Wiltern back in December, this was more of a victory lap than a coming-out party. Unfortunately for us, the five-piece had to cut things short due to the venue's strict Sunday night curfew, ending on a rather sudden note. That's just part of the deal at the Bowl, though. For those of us who have to work on Monday morning, it's actually more of a blessing in disguise than a disservice to the overall concert experience as we've come to realize. -Josh Herwitt, photo by Josh Herwitt\nDate: October 5th\nLocation: Greek Theatre – Los Angeles\nWhen she wasn't sharing the spotlight with Waxahatchee, Barnett was sharing it equally with the rest of her stellar backing band, but it was mostly just difficult to take your eyes off of her. Everything she does feels casual, from her outfit to her guitar playing, slinging her instrument around like it was an extension of herself. Even her delivery of the wrenching reality that the 30-year-old Australian singer-songwriter articulates so well is casual, singing like the end of the world isn't a mere 22 years away. -Rochelle Shipman, photo by Rochelle Shipman\nLocation: Glen Helen Regional Park & Festival Grounds – San Bernardino, CA\nBy the time we got through security and stepped inside the gates, Manchester Orchestra had just finished their 45-minute set on the main stage, which essentially was the 65,000-person Glen Helen Amphitheater that was constructed back in 1982 for the first US Festival. Next up was Greta Van Fleet, and boy, do these kids know how to rock. Zeppelin clearly runs deep in these four Michiganders' veins, as they showcased songs off their forthcoming debut album Anthem of the Peaceful Army with frontman Josh Kiszka commanding the stage and offering his best Robert Plant impression. He even dresses the part, sporting some tight, white jeans with a water-colored blouse and necklace of feathers while his brothers Jake and Sam wore vests or shirts that looked like what you would find at a vintage clothing store. -Josh Herwitt, photo by Josh Herwitt\nAs the Foos left the stage for their encore break, we waited patiently for them to return. The crowd, by now, had been taken for a two-hour ride with Grohl firmly at the wheel, pumping adrenaline into our veins with every minute that passed as the Foo Fighters know how to do so well during their usual two-and-a-half-hour jaunts. The video screens on each side of the stage were black until suddenly some backstage footage appeared showing Grohl with Krist Novoselic and what looked like Joan Jett. All of that would end up coming true in the last 30 minutes of Cal Jam 18, but it was a six-song encore with Grohl on drums, Novoselic on bass, the Foo Fighters' Pat Smear on guitar and Deer Tick frontman John McAuley on both vocals and guitar as Kurt Cobain's fill-in who got us hyped. Nirvana fans have waited 25 years for a reunion since Cobain's sudden passing, and when you put it in perspective, it will probably go down as one of the year's biggest surprises, even at a time in music when many industry experts say that rock now stands in the shadows of hip-hop and EDM. -Josh Herwitt, photo by Josh Herwitt\nDate: October 13th\nLocation: Middle Harbor Shoreline Park – Oakland\nBut U.S. Girls were the highlight of the weekend for us. A nine-piece experimental pop act, they put on a stunning 45-minute set that culminated in an entrancing rendition of \"Time\", the closing track on their critically acclaimed studio effort In a Poem Unlimited, that lasted more than 10 minutes. The energy, instrumentation and vocal capabilities were absolutely stunning. Easily one of this year's most exciting new acts, and we can't wait to catch them again soon. -Brett Ruffenach, photo by Brendan Mansfield\nU.S. Girls\nBut U.S. Girls were the highlight of the weekend for us. A nine-piece experimental pop act, they put on a stunning 45-minute set that culminated in an entrancing rendition of \"Time\", the closing track on their critically acclaimed studio effort In a Poem Unlimited, that lasted more than 10 minutes. The energy, instrumentation and vocal capabilities were absolutely stunning. Easily one of this year's most exciting new acts, and we can't wait to catch them again soon. -Brett Ruffenach, photo by Josh Withers\nFiled Under: Best of 2018, Editor's Picks, Featured Tagged With: A Perfect Circle, A$AP Rocky, A.CHAL, Aaron Neville, Air + Style, Air + Style 2018, Air + Style LA 2018, Alanis Morissette, Alina Baraz, Allen Stone, Amen Dunes, Amine, Aquilo, Ari Lennox, BADBADNOTGOOD, BØRNS, Belle & Sebastian, Best of 2018, Big K.R.I.T., Billie Eilish, Carly Rae Jepsen, Cashmere Cat, Childish Major, Chromeo, Chvrches, Cigarettes After Sex, Cloud Nothings, Courtney Barnett, Cuco, Cut Copy, Cut Snake, CyHi the Prynce, Daniel Caesar, David Byrne, Deafheaven, Deap Vally, Destroyer, Diet Cig, Drab Majesty, DRAM, Eminem, Erykah Badu, Fantastic Negrito, Florence & the Machine, Foo Fighters, Future, Garbage, George Fitzgerald, Glassjaw, Gomez, Gov't Mule, Great Grandpa, Greta Van Fleet, GRIZ, Grizzly Bear, Gucci Mane, H.E.R., HAERTS, Hot Flash Heat Wave, Ibeyi, Iggy Pop, Irma Thomas, Isaiah Rashad, Jack White, Jaira Burns, Jamie xx, Jamiroquai, Janelle Monáe, Jeff Goldblum and the Mildred Snitzer Orchestra, Jhené Aiko, John Maus, Josh Ritter & The Royal City Band, Joywave, JPEGMAFIA, Jungle, Kailee Morgue, Kaitlyn Aurelia Smith, Kamasi Washington, Kauf, Kelela, Kikagaku Moyo, Kings of Leon, Kopps, Laff Trax, Lion Babe, Lizzo, Lophile, Lord Huron, Los Lobos, Lucy Dacus, Margo Price, Melvins, Miguel, Mija, Milk Carton Kids, Moby, ModPods, Moses Sumney, Mura Masa, N.E.R.D., Neil Young, Nirvana, North Mississippi Allstars, NxWorries, Odesza, Pale Waves, Paula Frazer and Tarnation, Phantogram, Pharoah Sanders, Phoenix, Pixies, Polo & Pan, Pond, Portugal. The Man, Pusha T, Quicksand, Ravyn Lenae, RÜFÜS DU SOL, Rivers Cuomo, Robert Plant, Rory Phillips, Sabrina Claudio, Salt-N-Pepa, Santigold, Sasha Sloan, Seu Jorge, Shakey Graves, Shame, Shana Falana, Sharon Van Etten, Silk City, Sleigh Bells, Snoh Aalegra, Soccer Mommy, Soulwax, Stephen Malkmus & The Jicks, Tame Impala, Tenacious D, The Bangles, The Beta Machine, The Dustbowl Revival, The Growlers, The Mother Hips, The National, The Pretenders, The Revolution, The Roots, The Specials, The Spook School, The War on Drugs, The Weeknd, Third Eye Blind, Tinashe, Together Pangea, TV on the Radio, Tycho, Typhoon, U.S. Girls, Uniform, Wafia, Washed Out, Waxahatchee, Weezer, Wet, Will Varley, William Tyler, Yen Yen, Zedd\nDecember 28, 2018 by The Bam Team 2 Comments\nDavid Byrne at Bill Graham Civic Auditorium // Showbams' Photo of the Year, by Tim O'Shea\nWe have to be honest: 2018 was kind of a weird year for music. Sure, there were some major highlights — many of them listed below, in fact — but we also saw a serious changing of the guard. The decline of mainstream rock and the continued rise of hip-hop, R&B and pop was more noticeable than ever, from this year's Coachella lineup to the cancellation of FYF Fest, making us wonder what the next twist or turn will be for the industry now that the demand for EDM has started to cool off following its boom circa 2012. That said, we still listened to a lot of new albums and caught plenty of concerts over the last 12 months, and it's once again time for us to share our annual \"Best of\" lists, much like we have done over the past several years (see our 2017 picks here).\nSo, without further ado, Showbams presents The Bam Team's five favorite shows, albums and songs from 2018.\nSee our favorite performances from 2018 here.\nJamiroquai at Coachella 2018 // Photo courtesy of Coachella\nJosh Herwitt // Los Angeles\nTop 5 Shows of 2018\n1. Queens of the Stone Age at The Forum – Inglewood, CA – February 17th\nJust more than two months after his infamous assault on a photographer at The Forum for KROQ's Almost Acoustic Christmas, Queens of the Stone Age leader Josh Homme made his return to the LA arena for a proper, sold-out affair with UK rock duo Royal Blood delivering what proved to be a headbanging opening set. From there, it only got better as Homme and the boys dazzled with a headlining performance that even included Villains producer Mark Ronson sitting in for most of the five-song encore and the band's live debut of its \"Goodbye Yellow Brick Road\" cover. You can bet Elton John, whom Homme actually collaborated with during the writing and recording of QOTSA's sixth album …Like Clockwork, would have been proud. I always know when I've seen a good rock 'n' roll show because my neck will be sore the following day, but after this one, it was sore for the next three days. Ouch.\n2. Nine Inch Nails at Hollywood Palladium – Los Angeles, CA – December 12th, 14th-15th\n3. Jamiroquai at Coachella, Weekend 1 – Indio, CA – April 13th\n4. David Byrne at Santa Barbara Bowl – Santa Barbara, CA – August 24th\n5. Foo Fighters/Nirvana reunion at Cal Jam 18 – San Bernadino, CA – October 6th\nTop 5 Albums of 2018\n1. Jungle – For Ever\nUnlike previous years, picking a favorite album in 2018 wasn't quite as easy for me. I'll admit that I didn't hear every one that was released this year, but I listened to a lot of them. So, call me boring and short-sighted if you like, but nothing totally knocked my socks off. After much deliberation, it was Jungle's sophomore LP For Ever that stood the test of time for me (no pun intended). The English soul collective's follow-up to its 2014 self-titled debut doesn't veer off in a completely different direction from what came before, but it still moves the sonic needle forward enough. After two full lengths, Jungle have shown a knack for writing catchy, dance-fueled tunes that transport you to a different time and place — even if it's only for a three- or four-minute stretch.\n2. Khruangbin – Con Todo El Mundo\n3. Arctic Monkeys – Tranquility Base Hotel & Casino\n4. Kamasi Washington – Heaven and Earth\n5. Big Red Machine – Big Red Machine\nTop 5 Songs of 2018\n1. Nine Inch Nails – \"Over and Out\"\nWhen I first listened to Bad Witch, I immediately knew this one was my favorite track on the album. But hearing it performed live on the final night of NIN's \"Cold and Black and Infinite\" North American tour sealed it for top honors in 2018. Layering a brooding, yet funky bass line on top of a glitchy, experimental beat, Trent Reznor shows that he isn't just playing it safe and merely saving his creativity for scoring films with bandmate and longtime collaborator Atticus Ross. You can tell Reznor had his late friend David Bowie in mind when he wrote the song too as he conjures up an even deeper baritone from behind the microphone than the one we have come to know over the last 30 years.\n2. Childish Gambino – \"This Is America\"\n3. Jungle – \"Heavy, California\"\n4. Wild Nothing – \"Partners in Motion\"\n5. The Raconteurs – \"Now That You're Gone\"\nMolly Kish // San Francisco\n1. David Byrne at Fox Theater Oakland – Oakland, CA – August 16th\nIn support of his seventh solo album American Utopia, musical virtuoso David Byrne hit the road for one of this year's most creative and ambitious tours. Over more than 150 dates that spanned the entire globe, the 66-year-old delivered Broadway-caliber performances with a traveling 11-piece band that served as a traveling retrospective of his solo and collaborative work. Meanwhile, the tour also doubled as a platform for him to deliver his \"Reasons to Be Cheerful\" manifestos on civic engagement, climate/energy, culture, economics, education, health, science/technology and urban transportation. He partnered with HeadCount while encouraging audiences every night to engage in public discourse through social media and their own personal stories on his website. And as a result, Byrne elevated the concert-going experience into more of an interactive, performance-art space that his fans became a living, breathing part of.\n2. Young Fathers at The Independent – San Francisco, CA – November 10th\n3. Erykah Badu & Thundercat at The Armory – San Francisco, CA – February 14th\n4. Beck at The Independent – San Francisco, CA – August 8th\n5. LCD Soundsystem with TV on the Radio at Greek Theatre Berkeley – Berkeley, CA – April 27th-28th\n1. Richard Russell – Everything Is Recorded by Richard Russell\nA multi-artist project released as the debut album of XL Recordings founder Richard Russell, Everything Is Recorded is collaborative effort representing the ties between past and present sounds currently shaping the framework of hip-hop, funk and soul. Featuring collaborations with Sampha, Kamasi Washington, Syd, Damon Albarn, Peter Gabriel, Ibeyi, Obongjayar and more, the album also plays as the soundtrack to a 30-minute film, which documents the time each spent in the studio during its conception and is interspliced with archival footage of Gil Scott-Heron and Curtis Mayfield. With its underlying themes of loss and isolation, Everything Is Recorded effectively communicates Russell's emotional journey as he battles a debilitating autoimmune disease in hope of finding salvation through the shared experience of creating a beautifully mastered piece of art.\n2. George Fitzgerald – All That Must Be\n3. Pusha T – DAYTONA\n4. Robyn – Honey\nIf any song embodied the insanity and collective discontent of 2018, it was definitely Childish Gambino's epic single \"This Is America\". The juxtaposition of an a cappella choir leading into Donald Glover's soft crooning over island beats and drum samples before staunchly diverting to a menacing base line reminiscent of 90's gangster rap — as well as the hortative delivery of degrading lyrics about the current state of violence and American ideals — is near-perfect. Of course, the provocative music video that accompanied the track's surprise release during his \"Saturday Night Live\" debut was incredible. The song, lyrics, video and marketing campaign could not have been a more flawless \"slice of life\" reflection of modern American society and justifiably has boomeranged into probably the most important moment of Childish Gambino's career so far.\n2. The Presets – \"Downtown Shutdown\"\n3. Jon Hopkins – \"Everything Connected\"\n4. Jungle – \"Casio\"\n5. Parquet Courts – \"Wide Awake\"\nKevin Quandt // San Francisco\n1. David Byrne at Jazzfest – New Orleans, LA – April 29th\nYou know what they say: the first time is always the best. With David Byrne's 2018 \"American Utopia Tour\" being universally acclaimed as one of the most enigmatic live shows of the year, it's not surprising to see it top other \"Best of\" lists. Byrne and his merry band of \"unplugged\" pranksters created a feast for the eyes and ears, and his daytime set on the Gentilly Stage did not disappoint at all. While his Fox Theater Oakland shows were more intimate and featured some more dynamic lighting features, his performance at Jazzfest back in April was the most memorable for NOLA revelers.\n2. Jamiroquai at Bill Graham Civic Auditorium – San Francisco, CA – April 17th\n3. Polo & Pan at The Independent – San Francisco, CA – June 20th\n4. Nine Inch Nails at Bill Graham Civic Auditorium – San Francisco, CA – December 4th\n5. Rolling Blackouts Coastal Fever at Primavera Sound – Barcelona, Spain – June 2nd\nWhat a banner year for this Texas trio! Khruangbin have been on a steady rise the past few years as they turn on the masses to their infectious amalgamation of psychedelic soul, Thai surf rock and subtle funk. Having cemented their reputation as beasts in a live setting, Con Todo El Mundo proved their knack for penning tunes of equal strength with its emotive first single \"Friday Morning\" serving as a clear standout. \"Evan Finds the Third Room\" has also become a fan favorite, and the accompanying music video only lends to its growing charm. The sky's the limit for Laura, Mark and DJ, so grab your ticket to fly.\n2. Hookworms – Microshift\n3. Amen Dunes – Freedom\n4. Shame – Songs of Praise\n5. Stephen Malkmus and the Jicks – Sparkle Hard\n1. Jonathan Wilson – \"Trafalgar Square\"\nLA producer-turned-frontman Jonathan Wilson churned out one helluva album opener for his third solo LP Rare Birds, as this six-plus-minute romp has all the right pieces for true liftoff. A proper intro leads into a riff so heavy that it'll break your mama's back. Top-notch production is key to this track, as Wilson is a wiz behind the boards. As you cruise down the 405 with this whopper blaring, you'd be hard-pressed not to nod along. Extra points for those of you with a 1970's convertible, too.\n2. Tom Misch – \"Water Baby\" feat. Loyle Carner\n4. Jonathan Something – \"Happy Day\"\n5. Men I Trust – \"Seven\"\nAndrew Pohl // San Francisco\n1. The Smashing Pumpkins at Oracle Arena – Oakland, CA – August 27th\nThe Smashing Pumpkins are the quintessential 90's arena-rock band, and they fully lived up to that billing at Oracle Arena for their Bay Area stop over the summer. I've seen them several times over the years, and although this time it was pegged as a \"reunion tour\" (minus D'Arcy, sigh), you never know what you're going to get from them. Billy Corgan led the band through over three hours' worth of material with some killer stage production to go with it. The show was definitely a marathon, but totally worth being there for. It came to light later that Corgan was also fighting off a bad case of food poisoning, but it didn't show. It was great to see James Iha and Jimmy Chamberlain back onstage, too — the way it should be.\n2. Nine Inch Nails at Bill Graham Civic Auditorium – San Francisco, CA – December 3rd\n3. Against Me! & Turbonegro at UC Theatre – Berkeley, CA – May 25th\n4. Alkaline Trio at The Warfield – San Francisco, CA – October 6th\n5. Back To The Beach Festival – Huntington Beach, CA – April 28th-29th\nThis album hit me like a ton of bricks in the best way. I had heard a ton of hype around Songs of Praise before giving it a first listen, and usually I am a healthy skeptic, but good Lord, does this record rip. It has a dark flavor and carries with it a lot of angst, and you can't help but get caught up in the hooks that Shame offer. These five lads from South London simply killed it.\n2. IDLES – Joy as an Act of Resistance\n4. Hot Snakes – Jericho Sirens\n5. Snail Mail – Lush\n1. Shame – \"Concrete\"\nConjuring up the ghost of Joy Division's Ian Curtis without sounding like a complete poser is challenging for newer post-punk bands it seems — except for Shame's Charlie Steen. Paired with some brilliant instrumentation, I just couldn't stop listening to \"Concrete\" when I first heard it. I must have listened to the track a solid 10 times in a row on the first go. This song has an infectious quality to it and is a straight-up ripper.\n2. The Soft White Sixties – \"I Still Love You, San Francisco\"\n3. Hot Snakes – \"Six Wave Hold-Down\"\n4. IDLES – \"Colossus\"\n5. The Sword – \"Come and Gone\"\nFiled Under: Best of 2018, Editor's Picks, Featured Tagged With: 311, Against Me!, Alkaline Trio, Amen Dunes, Arctic Monkeys, Back To The Beach, Back To The Beach Festival, Beck, Best of 2018, Big D & The Kids Table, Big Red Machine, Bill Graham Civic Auditorium, Bon Iver, Childish Gambino, Coachella, Coachella 2018, Coachella Music and Arts Festival, Coachella Music and Arts Festival 2018, Curtis Mayfield, Damon Albarn, David Byrne, Erykah Badu, Fishbone, Fox Theater Oakland, George Fitzgerald, Giggs, Gil Scott Heron, Goldfinger, Greek Theatre Berkeley, hepcat, Hollywood Palladium, Hookworms, Hot Snakes, Ibeyi, IDLES, Jamiroquai, Jon Hopkins, Jonathan Something, Jungle, Kamasi Washington, Khruangbin, Kurt Vile, LCD Soundsystem, Less Than Jake, Mad Caddies, Mark Ronson, Mela Murder, Men I Trust, Mustard Plug, Nine Inch Nails, Obongjayar, Oracle Arena, Outside Lands 2018, Outside Lands Music Festival 2018, Outside Lands night shows, Parquet Courts, Peter Gabriel, Polo & Pan, Primavera Sound, Primavera Sound 2018, Pusha T, Queens of the Stone Age, Richard Russell, Robyn, Rolling Blackouts Coastal Fever, Royal Blood, Sampha, Santa Barbara Bowl, Save Ferris, Shame, Smashing Pumpkins, Snail Mail, Stephen Malkmus, Stephen Malkmus & The Jicks, Sublime with Rome, Syd, The Aggrolites, The Aquabats, The Armory, The Forum, The Independent, The Internet, The Interrupters, The Mighty Mighty Bosstones, The National, The Presets, The Raconteurs, The Smashing Pumpkins, The Soft White Sixties, The Suicide Machines, The Sword, The UC Theatre, The Untouchables, The Warfield, Thundercat, Tom Misch, Turbonegro, TV on the Radio, Wild Nothing, Young Fathers\nArroyo Seco Weekend 2018: Ringing in summer at Goldenvoice's chilled-out Coachella for grown-ups\nJune 29, 2018 by Josh Herwitt Leave a Comment\nPhotos courtesy of Arroyo Seco Weekend // Written by Josh Herwitt //\nArroyo Seco Weekend //\nJune 23rd-24th, 2018 //\nNo matter how old you are, going to a music festival can be a taxing and tiring affair. There's a lot of walking, a lot of standing, a good amount of dancing and/or rocking out (depending, of course, on your energy level), and more walking and standing. If \"festival shape\" isn't a catch phrase yet, it certainly should be. Because for some of us aging live music fans, being on your feet 8-10 hours and in the sun for two, three or four straight days isn't as easy as it used to be.\nMusic festivals, in that regard, are designed primarily for the young and youthful, or at least for those who remain young at heart. So, when famed Southern California concert promoter Goldenvoice, best known for founding and organizing the world-renowned Coachella Valley Music and Arts Festival every April, announced last year that it would be launching a brand-new, two-day event in Pasadena focused on various forms of rock, funk, folk and country, it served as an opportunity for a different generation of live music fans to experience the same platform that has dominated the industry for the past decade (and for some who are parents, possibly understand why their kids like going to Coachella so much).\nNeil Young + Promise of the Real\nWith its second installment now in the books, Arroyo Seco Weekend has already carved out a solid niche in Los Angeles' massive live music scene with a winning combination: great music and high-quality, top-notch local food and drink. It's the same formula that has made Outside Lands Music Festival in San Francisco a huge success for longer than 10 years, but it's still one that had also been largely absent from Southern California music festivals until four years ago when Goldenvoice started making a concerted effort to partner with top-notch LA eateries and restaurants for both weekends of Coachella. That's where the comparisons end, though.\nArroyo Seco is really its own thing. There's no denying, even after only a couple of years on the calendar, that it fosters a much different vibe than Coachella or Goldenvoice's other LA area music festival, FYF Fest, which was surprisingly canceled five weeks after dropping its 2018 lineup due to reportedly poor ticket sales. But with a clear identity from the start, ASW stands more than a fighting chance at a time when music festivals are sadly a dime a dozen (except for the ticket price).\nRobert Plant and the Sensational Space Shifters\nGoldenvoice CEO Paul Tollett and his team, for one, came out of the gate swinging for ASW's inaugural edition with a roster led by the late Tom Petty, which unfortunately ended up to be one of his final performances before his unexpected death, and British folk rockers Mumford and Sons, plus Alabama Shakes, Weezer, The Meters, The Shins, Dawes, Fitz & the Tantrums, Live, Andrew Bird, Broken Social Scene, Lukas Nelson & Promise of the Real, Charles Bradley & The Extraordinaires, Galactic and many more all making appearances. That didn't mean, of course, it was void of suffering a letdown in Year 2, but such a thought was quickly put to rest when the fest's 2018 bill came out and proved to be equally good, if not better than what 2017 offered. With rock legends like Neil Young and Robert Plant sharing the top of the poster with modern-day rock stars such as Jack White and Kings of Leon, ASW made sure to cater to more than four generations of live music fans, much like the longtime New Orleans Jazz & Heritage Festival — which White, Lukas Nelson + Promise of the Real (who also often serve as Young's backing band), Irma Thomas and Aaron Neville, fittingly enough, all played this year — does each spring in The Big Easy. Throw in some nicer weather and some California-cool flavoring, and you've essentially got ASW. So, call it \"#Dadchella\" if you want, but that won't stop those of us who are currently in our 30's, 40's, 50's and 60's from going again.\nIf rock is supposedly \"dead\" like so many say it is these days, you wouldn't know it from the size of the crowd that descended upon the Brookside Golf Course adjacent to the Rose Bowl Stadium on a couple of hot summer days. ASW, rather, proved just the opposite, with even a few throwbacks, the Pretenders and Alanis Morrisette most notably, drawing large numbers over at the main stage. Then there were singer-songwriters Seu Jorge, Shakey Graves, Margo Price and Dwight Twilley, as well as blues savior Gary Clark Jr., pouring out their hearts and souls in what felt like a family-friendly environment (maybe the baby strollers helped). And how about Inglewood-bred jazz virtuoso Kamasi Washington mesmerizing with a powerful, mid-afternoon set? There were plenty of memories to be made at ASW in 2018, and we were just grateful to be there to bear witness to them.\nFiled Under: Editor's Picks, Featured, Festival Reviews, Festivals Tagged With: Aaron Neville, Alabama Shakes, Alanis Morissette, Allen Stone, Andrew Bird, Arroyo Seco, Arroyo Seco 2018, Arroyo Seco Weekend, Arroyo Seco Weekend 2018, Belle and Sebastian, Broken Social Scene, Brookside at the Rose Bowl, Brookside Golf Club, Capital Cities, Charles Bradley, Charles Bradley & The Extraordinaires, Charles Bradley and The Extraordinaires, Dawes, Dorothy, Dwight Twilley, Fantastic Negrito, Fitz & the Tantrums, Fitz and the Tantrums, Galactic, Gary Clark Jr, Gomez, Hurray for the Riff Raff, Irma Thomas, Jack White, Jeff Goldblum, Jeff Goldblum and the Mildred Snitzer Orchestra, Kamasi Washington, Kings of Leon, Live, Los Lobos, Lukas Nelson, Lukas Nelson & Promise of the Real, Margaret Glaspy, Margo Price, Maxim Ludwig, Mumford & Sons, Mumford and Sons, Neil Young, Neil Young + Promise of The Real, North Mississippi Allstars, Pharoah Sanders, Pretenders, Robert Plant, Robert Plant and the Sensational Space Shifters, Rose Bowl, Seu Jorge, Shakey Graves, The Bangles, The Meters, The Milk Carton Kids, The Revolution, The Shins, The Specials, Third Eye Blind, Tom Petty, Tom Petty & The Heartbreakers, Tom Petty and the Heartbreakers, Track Suit Wedding, Trampled By Turtles, Typhoon, Violent Femmes, Weezer\nCoachella drops 2018 set times & map changes\nApril 10, 2018 by Josh Herwitt 2 Comments\nApril 13th-15th & April 20th-22nd, 2018 //\nBreathe easy, Coachellans. All of your scheduling conflicts have finally arrived.\nThe three-day, two-weekend music and arts festival has delivered this year's set times just after 7 p.m. PT (7:02 p.m. to be exact), precisely one hour later than it did in 2017.\nPart of going to Coachella is having to make some tough decisions when it comes to choosing which artists to see, and veterans like ourselves have become quite used to experiencing this #FirstWorldProblem over the years.\nBut now that the cat is out of the bag, you can start mapping out your 2018 schedule if you're headed to the Empire Polo Club this weekend.\nSo, what's your biggest conflict on this year's schedule and who are you most excited to see?\nWEEKEND 1 SET TIMES\nOver the last several years, it has become more common to see the folks at Goldenvoice make some slight tweaks to Coachella's Weekend 2 set times after the first weekend ends (the most notable might have been in 2015 when Florence Welch broke her foot during her performance Sunday on the main stage), and the same has proven to be the case in 2018, starting on Day 1 with Benjamin Clementine's set being moved from the Gobi Tent to the Coachella Stage. Rick G., meanwhile, has been moved into Clementine's 1:30 p.m. slot in the Gobi Tent, with DMM no longer preceding it at 12:30 p.m.\nSome other noteworthy changes for Friday are Fisher, who didn't perform during Weekend 1 but will replace B.Traits in the Yuma Tent, and Late Night Laggers, who were the first act to perform in the Sahara Tent on Day 1 but won't be back for Weekend 2. Absent from Friday's Mojave Tent lineup is Smiles Davis, which consequently has pushed Francesa Harding's set back to 12:25 p.m., and Chulita Vinyl Club has replaced Jim Smith.\nOn Saturday, hip-hop producer Ahwlee will fill in for Salami Rose and Joe Lewis in the Mojave Tent, while Ron Gallo has been moved from the Gobi Tent, which lost Birdtastique and added Loboman, to the Sonora Stage, where Bane's World, Otoboke Beaver and Mild High Club have all moved back one hour and five minutes to make up for the loss of R.O.C. Furthermore, Feel Good Green has replaced Palm Desert DJ Alf Alpha at the Outdoor Theatre, and Mexico City's N.A.A.F.I. has been added to the Sahara Tent lineup in place of Jimbo Jenkins. The Coachella Stage also now has an eighth performer, with Gabe Real + Juicewon kicking things off at 1:25 p.m. on Day 2.\nThe third and final day of the festival's second weekend sees the removal of Gabe Real from the Coachella Stage, leaving LION BABE as its first act to perform, while Los Angeles-based producer nostradahm will fill in for Juice won at the Outdoor Theatre. In the meantime, the Gobi, Mojave and Sahara Tents will each have new openers on Sunday: mr. rotu (replacing Phantom Thrett), VNSSA (replacing Pax) and EMME (replacing CVSS), respectively. And we couldn't not mention that Jessie Ware's set at the Outdoor Theatre has been moved back 15 minutes (as well as MAGIC GIANT's by 10 to 2:25 p.m.), meaning that Weekend 2 attendees will have to settle for only 35 minutes from the UK singer-songwriter rather than 50.\nUPDATE (April 20th): Weekend 2 changes! Goldenvoice has announced some more tweaks to the schedule, with Jessie Ware moving from the Outdoor Theatre at 5:55 p.m. on Sunday to the Coachella Stage at 2:50 p.m. on Saturday (we have to think it has something to do with Cardi B performing around the same time after she drew one of the biggest crowds during Weekend 1). The other alterations are related to Sunday's set times in the Sahara Tent, as Illenium (now at 6:35 p.m.) and French Montana (now at 8:05 p.m.) have switched places. Petit Biscuit will still precede both at 5:10 p.m., while chart-topping hip-hop trio Migos are expected to hit the stage at 9:30 p.m., although we'll see if they're a little more punctual this time compared to the first weekend of the festival, technical difficulties and all. Of course, we recommend downloading the Coachella app on your mobile device to receive the latest updates if you're out in Indio for the festivities.\nSeveral hours before revealing its Weekend 1 set times, the festival unveiled this year's map, and it looks quite a bit different in comparison to some of Coachella's past editions.\nLast year, Coachella made some notable changes to its map, with the Mojave and Gobi Tents switching places and the addition of a third VIP section named \"Hacienda Del Toro\" that sat in between the Gobi and Sahara Tents. Goldenvoice even offered an updated location for the GA beer garden on that side of the polo field, which was supposed to improve the traffic flow behind the Sahara Tent, though we're not sure it totally worked to be honest.\nNow, the Mojave Tent has been moved far away from the Gobi Tent and into the same area that the Sahara Tent once occupied (next to the VIP Rose Garden). In its place will be the Sonora Stage, which Coachella introduced last year, with the third VIP section (no longer named \"Hacienda Del Toro\") directly behind it rather than off to the side. The Gobi Tent, meanwhile, has moved back to its old confines closer to the Outdoor Theatre, where the Mojave Tent was located just a year ago.\nAnother brand-new addition for Goldenvoice's signature event is the Indio Central Market, a covered food hall that will feature 15 different restaurants and be situated behind the Sonora Stage. Inside will not only be New York City burger chain Shake Shack for the very first time, but also street food stand Cena, Moby's vegan restaurant Little Pine and David Chang's fried chicken sandwich shop Fuku. So, make sure to come hungry if you're going to Coachella this year — we know we will.\nBut the biggest modification to the fest's layout has to be the Sahara Tent's new home after seeing the massive stage outgrow its longstanding location over the last decade. Positioned next to the main entrance, it will sit just in front of the Cantina and Beer Barn with the iconic ferris wheel and The Do LaB Stage nearby. And from what we can decipher by looking at the map, it appears that the Sahara Tent will be not as long as it used to be, but instead wider, a structural adjustment that was likely made to fit the space within the grounds.\nWe'll make sure to give our two cents about these changes and much more when we return from the desert to share our favorite moments from this year's installment, but as we often like to say around this time … Happy Coachella!\nFiled Under: Featured, Festivals Tagged With: 6lack, A Perfect Circle, AC Slater, AIM, Alan Walker, Alina Baraz, Alison Wonderland, Alt-J, Alvvays, Amine, Angel Olsen, AURORA, B.Traits, Barclay Crenshaw, BØRNS, Bedouin, Belly, Benjamin Booker, Benjamin Clementine, Beyonce, Big Thief, Black Coffee, blackbear, Bleachers, Brockhampton, Busy P, Cardi B, Cash Cash, Cherry Glazerr, Chic, Chic with Nile Rodgers, Chromeo, Coachella, Coachella 2018, Coachella Music and Arts Festival, Conway, Cuce, Daniel Caesar, David Byrne, Def Loaf, DeJ Loaf, Deorro, Django Django, Dreams, Elohim, Eminem, Fazerdaze, Fidlar, First Aid Kit, Fisher, Flatbush Zombies, Fleet Foxes, French Montana, Giraffage, Greta Van Fleet, Haim, Highly Suspect, Hundred Waters, Ibeyi, Jack White, Jacob Banks, Jamie Jones, Jamiroquai, Japanese Breakfast, Jean-Michel Jarre, Jessie Ware, Jidenna, Jorja Smith, Justin Martin, Kali Uchis, Kamaiyah, Kamasi Washington, Kelela, King Krule, Knox Fortune, Kygo, LANY, LEON, Lion Babe, Los Angeles Azules, Louis the Child, LP, Maceo Plex, Marian Hill, Migos, Miguel, MO, Moses Sumney, Motor City Drum Ensemble, Nile Rodgers, Noname, Nothing But Thieves, Odesza, Oh Sees, Pachanga Boys, Perfume Genius, Petit Biscuit, Portugal. The Man, Post Malone, Princess Nokia, PVRIS, REZZ, Russ, San Holo, Sigrid, Sir Sly, Skip Marley, Slow Magic, snakehips, Soulwax, St. Vincent, Sudan Archives, SuperDuperKyle, SZA, Talaboman, Tank and the Bangas, Tash Sultana, The Black Madonna, The Bronx, The Drums, The Neighbourhood, The War on Drugs, The Weeknd, THEY., TroyBoi, Tyler the Creator, Vance Joy, Vince Staples, Whetham, Wizkid, X Japan\nNeil Young, Jack White, Kings of Leon, Robert Plant to headline Arroyo Seco Weekend 2018\nAfter a successful, sold-out debut last summer, Goldenvoice's Arroyo Seco Weekend is back this year with another strong roster for its second edition.\nThe two-day festival, which saw Tom Petty & the Heartbreakers (in what proved to be one of Petty's final performances before his sudden passing) as well as Mumford & Sons top the bill in 2017, returns to \"the shady oaks and parkland\" of Brookside at the Rose Bowl in late June with Neil Young + Promise of The Real, Jack White, Kings of Leon, and Robert Plant and the Sensational Space Shifters serving as headliners.\nFeaturing three stages of live music and curated menus from some of LA's most celebrated restaurants like Jon & Vinny's, The Ponte, Hatchet Hall, La Esquina, Playa Provisions and Kogi BBQ, Arroyo Seco Weekend will also welcome sets from the Pretenders, Gary Clark Jr., Belle and Sebastian, Alanis Morissette, Kamasi Washington, Third Eye Blind, The Specials, Violent Femmes, Seu Jorge, Capital Cities, Shakey Graves, The Bangles, The Revolution, The Milk Carton Kids, Margo Price, Trampled By Turtles, Hurray for the Riff Raff, Aaron Neville, North Mississippi Allstars, Los Lobos, Gomez, Allen Stone, Dwight Twilley, Dorothy, Pharaoh Sanders, Irma Thomas, Typhoon, Fantastic Negrito and more. Check out the poster above for the rest of the lineup, which even includes Jeff Goldblum and The Mildred Snitzer Orchestra performing on Day 1.\nWeekend passes and single-day tickets can be purchased here for $249 and $149, respectively, starting Friday, March 9th at 10 a.m. PT. VIP passes, meanwhile, will be sold at a price of $449 and $349, with weekend preferred parking available for $65. And lastly, for the first time ever, the Weekend Clubhouse VIP pass option will offer fans more amenities, along with exclusive access to intimate upfront viewing areas at both main stages, for $999.\nFiled Under: Featured, Festivals Tagged With: Aaron Neville, Alanis Morissette, Allen Stone, Arroyo Seco, Arroyo Seco 2018, Arroyo Seco Weekend, Arroyo Seco Weekend 2018, Belle and Sebastian, Brookside at the Rose Bowl, Brookside Golf Club, Capital Cities, Dorothy, Dwight Twilley, Fantastic Negrito, Gary Clark Jr, Gomez, Hurray for the Riff Raff, Irma Thomas, Jack White, Kamasi Washington, Kings of Leon, Los Lobos, Margo Price, Neil Young, Neil Young + Promise of The Real, North Mississippi Allstars, Pharaoh Sanders, Pretenders, Promise of The Real, Robert Plant, Robert Plant and the Sensational Space Shifters, Rose Bowl, Seu Jorge, Shakey Graves, The Bangles, The Milk Carton Kids, The Revolution, The Specials, Third Eye Blind, Trampled By Turtles, Typhoon, Violent Femmes\nCoachella wastes no time, revealing 2018 lineup headlined by The Weeknd, Beyoncé & Eminem\nJanuary 2, 2018 by Josh Herwitt 2 Comments\nWell, that didn't take long.\nJust one day into the New Year, and Coachella has already revealed its 2018 lineup, signaling to music fans worldwide that festival season isn't far off.\nAfter it was reported almost two weeks ago that this year's headliners would be The Weeknd, Beyoncé and Eminem, that indeed will be the scenario, marking the first time in all 19 years that the three-day, two-weekend event won't have a rock act topping its bill (a real sign of the times as some might say). Coachella's 2018 edition will also serve as Beyoncé's official debut after being forced to cancel last year due to pregnancy, as well as Eminem's (the only time he has appeared was as a guest back in 2012 during Snoop Dogg's and Dr. Dre's headlining set). The Weeknd will be back on the polo fields for the first time since 2015, when the R&B singer closed the main stage on Saturday night as a sub-headliner after Jack White's headlining slot.\nOther notable names listed on the festival's famed poster this year include HAIM, ODESZA, Kygo, Jamiroquai, Portugal. The Man, David Byrne, St. Vincent, The War on Drugs, alt-J, A Perfect Circle, Fleet Foxes, Chromeo, MØ, Chic feat. Nile Rodgers, Kamasi Washington and Jungle. The undercard, meanwhile, does feature some buzzworthy indie-rock acts such as Perfume Genius, BØRNS and King Krule, but as was the case in 2017, there continues to be more of a focus on hip-hop and R&B, as evidenced by this year's headliner selections along with the second-line poster placement of SZA, Tyler, the Creator, Migos, Vince Staples, Post Malone, Cardi B and Miguel.\nCoachella's first weekend is scheduled for April 13th-15th, with its second weekend slated for April 20th-22nd. All tickets will go on sale for both weekends this Friday, January 5th at Noon PT here.\nGot your sights set on the California desert this April? Relive our five favorite moments, from Radiohead to Kendrick Lamar, after last year's festival.\nFiled Under: Featured, Festivals Tagged With: 6lack, A Perfect Circle, AC Slater, AIM, Alan Walker, Alina Baraz, Alison Wonderland, Alt-J, Alvvays, Amine, Angel Olsen, AURORA, Barclay Crenshaw, BØRNS, Bedouin, Belly, Benjamin Booker, Benjamin Clementine, Beyonce, Big Thief, Black Coffee, blackbear, Bleachers, Brockhampton, Busy P, Cash Cash, Cherry Glazerr, Chic, Chic with Nile Rodgers, Chromeo, Coachella, Coachella 2018, Coachella Music and Arts Festival, Conway, Cuce, Daniel Caesar, David Byrne, Def Loaf, DeJ Loaf, Deorro, Django Django, Dreams, Elohim, Eminem, Fazerdaze, Fidlar, First Aid Kit, Flatbush Zombies, Fleet Foxes, French Montana, Giraffage, Greta Van Fleet, Haim, Highly Suspect, Hundred Waters, Ibeyi, Jack White, Jacob Banks, Jamie Jones, Jamiroquai, Japanese Breakfast, Jean-Michel Jarre, Jessie Ware, Jidenna, Jorja Smith, Justin Martin, Kali Uchis, Kamaiyah, Kamasi Washington, Kelela, King Krule, Knox Fortune, Kygo, LANY, LEON, Lion Babe, Los Angeles Azules, Louis the Child, LP, Maceo Plex, Marian Hill, Migos Cardi B, Miguel, MO, Moses Sumney, Motor City Drum Ensemble, Nile Rodgers, Noname, Nothing But Thieves, Odesza, Oh Sees, Pachanga Boys, Perfume Genius, Petit Biscuit, Portugal. The Man, Post Malone, Princess Nokia, PVRIS, REZZ, Russ, San Holo, Sigrid, Sir Sly, Skip Marley, Slow Magic, snakehips, Soulwax, St. Vincent, Sudan Archives, SuperDuperKyle, SZA, Talaboman, Tank and the Bangas, Tash Sultana, The Black Madonna, The Bronx, The Drums, The Neighbourhood, The War on Drugs, The Weeknd, THEY., TroyBoi, Tyler the Creator, Vance Joy, Vince Staples, Whetham, Wizkid, X Japan\nLo Moon are officially LA's newest buzz band after their sold-out show at the Troubadour\nNovember 23, 2017 by Josh Herwitt Leave a Comment\nBy Josh Herwitt //\nLo Moon with Psychic Twin //\nTroubadour – West Hollywood, CA\nNovember 16th, 2017 //\nIf there's one public radio station in Los Angeles that always seems to have its finger on the pulse of all things music, it's KCRW.\nThe NPR member station broadcasting from Santa Monica College has long had a penchant for discovering some of today's most buzzworthy bands, and since 1977, its signature music program \"Morning Becomes Eclectic\" has played an instrumental role in maintaining what has been a strong track record for years. In fact, quite a few up-and-coming acts have come out of KCRW's own backyard, whether it has been indie-rock groups like Silverlake's Local Natives or solo artists such as Inglewood-bred jazz virtuoso Kamasi Washington.\nBut the latest group from the City of Angels to catch the station's eye has been Lo Moon, the atmospheric, yet soulful indie-electronic trio that has only officially released three songs to date. One of them is called \"Thorns\", which opened their sold-out show last Thursday at the Troubadour. With KCRW sponsoring the event, Illinois native/now LA transplant Erin Fein's dreamy, synth-pop project Psychic Twin paved the way for the evening's headliner, as a half-empty room prior to 9 p.m. turned into a crowded one 30 minutes later.\nDespite what they call home right now, Lo Moon don't consider themselves an \"LA band,\" at least not yet. All three full-time members — Matt Lowell (guitar, keyboards, vocals), Crisanta Baker (bass, keyboards, vocals) and Sam Stewart (guitar, keyboards, vocals) — arrived in LA from different parts of the world and wrote most of their forthcoming debut LP that's due out next year in Seattle, a city Lowell says helped shape the album's overall sound.\nLo Moon, sonically, can be somewhat difficult to pin down. With a range of influences, their music has drawn comparisons to many of the UK's biggest bands: Talk Talk, Cocteau Twins, My Bloody Valentine, Radiohead, Massive Attack and The xx, among others. That's certainly some impressive company to be mentioned in when you get right down to it, especially for a band that took several months to unveil its second song. But Lo Moon have much more than just comparisons to hang their hat on at this point. The three-piece, for one, has inked a deal with Columbia Records and gotten the attention of former Death Cab for Cutie guitarist Chris Walla, who has since signed on to produce its first full length.\nLately though, Lowell, Baker, Stewart and touring member Sterling Laws (drums) have been hitting the road with some pretty big names, including AIR (read our show review here) and Phoenix, with shows lined up next month as support for London Grammar, Wilco frontman Jeff Tweedy and The War on Drugs. With those kind of opportunities this early in the band's career, don't be surprised if you find Lo Moon listed on the 2018 Coachella lineup in January.\nBack at the Troubadour, Lo Moon ran through a number of tracks that we can expect to hear on their upcoming release, performing \"The Right Thing\" for the first time before closing the set on a high note with \"This Is It\", their sophomore single that you could mistake for a Peter Gabriel song if you didn't know any better. There's no question Lowell and company have an affinity for synthesizers, and the limited studio material they've revealed so far suggests that. But what also makes them stand out is Lowell himself, who offered a poignant solo rendition on the piano titled \"All In\" to kick off the band's brief encore.\nOf course, as Lo Moon fans know or will come to know, the show couldn't have ended without the song that started it all: \"Loveless\". The sprawling, seven-minute anthem, which hooked a major record label, an A-list producer and listeners all over the world, is what initially put the threesome on the map, and with Laws' drum rolls delivering one powerful crescendo after the next down the stretch, the crowd came visibly alive like it hadn't all night. Sure, this may only be the beginning for these guys, but LA's newest buzz band knows how to shoot for the moon.\nThe Right Thing (live debut)\nTTMYMO\nAll In (Matt Lowell solo on piano)\nFiled Under: Editor's Picks, Featured, Live Music Reviews Tagged With: Air, Cocteau Twins, Death Cab For Cutie, Jeff Tweedy, Kamasi Washington, KCRW, Lo Moon, Local Natives, London Grammar, Massive Attack, My Bloody Valentine, Peter Gabriel, Phoenix, Psychic Twin, Radiohead, Talk Talk, The War on Drugs, The xx, Troubadour, Wilco\nAs we officially place 2016 in the history books, it's time to look back at all the live music we experienced this year. Last year we shared our 25 favorite live performers of 2015, so this year we thought we would do it again while excluding any artists we named in 2015. After all, who really wants to see the same acts listed two years in a row? That said, now that we're two years removed, our 25 favorite live performers of 2014 were once again fair game.\nAfter covering many excellent bands, musicians and DJs over the past 12 months, trimming our list down to 25 wasn't easy and as usual, some difficult decisions had to be made. Those who didn't make the cut but still deserve to be mentioned here include the following artists, DJs and bands (in alphabetical order) whom we either covered at their own show and/or at a music festival this year:\nAdrian Younge, Air, Alessia Cara, Alina Baraz, AlunaGeorge, Alvvays, The Arcs, A$AP Ferg, Atlas Genius, Aubrie Sellers, The Avett Brothers, Bag Raiders, Baio, Banks & Steelz, Bas, Battles, Beats Antique, Beach House, Best Coast, Big Freedia, Big Gigantic, Big Grams, Big Wild, Bloc Party, Bob Mould, The Boxer Rebellion, Brand New, Brett Dennen, The California Honeydrops, Capital Cities, Cate Le Bon, Chairlift, Chelsea Wolfe, !!! (Chk Chk Chk), Chris Robinson Brotherhood, Chuck Mosley, Chromeo, Claude VonStroke, The Claypool Lennon Delirium, Cold War Kids, The Crux, Dan Deacon, Danny Brown, Deftones, The Devil Makes Three, Dirtwire, Disclosure, DMA's, DMX, Drew Holcomb and The Neighbors, Duran Duran, Every Time I Die, Emancipator Ensemble, Ezra Furman, Faith No More, The Faint, Fantastic Negrito, Femi Kuti, Florence + the Machine, Flume, Fruition, The Gaslamp Killer, Geographer, Glass Animals, Gorgon City, Grimes, Halsey, The Head and the Heart, Heartwatch, The Heavy, Highly Suspect, Hippie Sabotage, Holy Fuck, How to Dress Well, Hudson Mohawke, Hundred Waters, IAMX, Ibeyi, Ice Cube, Iggy Pop, The Infamous Stringdusters, Jack Beats, Jack Garratt, Jack Ü, James Bay, Jamie xx, J. Cole, Jimmie Vaughn, Jhené Aiko, The Joy Formidable, Joywave, Julia Holter, Julien Baker, Kaki King, Kamaiyah, Kamasi Washington, Kehlani, K.Flay, The Kills, Kurt Vile, Lafa Taylor, Lana Del Rey, Låpsley, Les Sins, Lettuce, Lionel Richie, Lord Huron, Little Scream, Lucius, M83, Major Lazer, Marian Hill, Mayer Hawthorne, MC YOGI, Methyl Ethel, Metric, Miami Horror, Mick Jenkins, Midi Matilda, Miguel Migs, Modest Mouse, Moon Taxi, M. Ward, Nahko & Medicine for the People, The Naked and Famous, Nas, Nathaniel Rateliff & The Night Sweats, Neon Indian, Nick Murphy (fka Chet Faker), Nite Jewel, Panic! at the Disco, Parliament-Funkadelic, Peaches, Petite Noir, The Pharcyde, The Polish Ambassador, Porches, Prince Rama, Purity Ring, Pusha T, Radiohead, Ra Ra Riot, The Regrettes, The Revivalists, RJD2, Rodrigo y Gabriela, Rogue Wave, Rubblebucket, Run the Jewels, The Russ Liquid Test, Ryan Adams, The Sam Chase & The Untraditional, Saosin, Sarah Neufeld, The Seshen, Shabazz Palaces, Shlohmo, Silversun Pickups, Snakehips, Solange, Son Little, St. Lucia, Stormzy, The Struts, STS9, Sturgill Simpson, Sufjan Stevens, Summer Cannibals, Sunflower Bean, Sigur Rós, St. Germain, Sylvan Esso, Tacocat, Taking Back Sunday, Tedeschi Trucks Band, Thao & the Get Down Stay Down, This Will Destroy You, Thomas Jack, Thundercat, Toro y Moi, Tortoise, Tory Lanez, Tourist, The Trims, Troye Sivan, Umphrey's McGee, Viceroy, Vince Staples, Vokab Company, Walk the Moon, Warpaint, Wavves, Weezer, Wheeler Walker Jr., White Denim, Wild Belle, Wild Nothing, Years & Years, Yeasayer, YG, Young Fathers, Yuck, ZHU, Ziggy Marley.\nNow, it's time for The Bam Team to present our 25 favorite live performers of 2016.\n25. Tycho\nFor as much as Epoch was a surprise, so were Tycho's two most recent shows in LA last week. It was the first time Hansen and company had played The Fonda Theatre since the Awake tour back in 2014, and Thursday's sellout, which was announced less than a week before the show, along with the subsequent need to add a second date the next night, made it clear that more than ever, Angelinos have a strong appetite for what Hansen is doing on both a musical and visual level. It helps, too, that KCRW Music Director Jason Bentley, who opened the shows at The Fonda with a DJ set, has helped expose Tycho to a broader audience, whether through the \"Morning Becomes Eclectic\" theme song or live, in-studio performances by the band. Even nowadays with an abundance of streaming sites, you can't underestimate the power of radio in a city with a driving culture as large as LA's. And truth be told, Tycho is some of the best music to drive to, especially when you're surrounded by nature. -Josh Herwitt, photo by Josh Herwitt\n24. Isaiah Rashad\nAnd when it did, Rashad torpedoed onto stage and turned the restlessness in the room on its head with \"Smile\", the apropos homecoming banger he released after years of uncertainty that followed his 2014 EP Cilvia Demo. It was fitting because prior to his reemergence, which was sparked by the song, Rashad admitted to being addicted to Xanax and alcohol, and it almost led to him being dropped from his West Coast record label on several occasions. From his issues with substance abuse to the tears he shed while listening to Kid Cudi's music and his open-book thoughts on the humanizing of mental-health issues, Rashad's journey from being the contemplative unknown in superstar Kendrick Lamar's crew to a complete artist deserving of your attention has been steeped in honesty. -Joseph Gray, photo by Joseph Gray\n23. Bob Moses\nNeedless to say, worn-out axioms failed to apply in this scenario. Bob Moses silenced anyone attempting to pass them off as yet another contrived electropop outfit aiming to please the masses. At Mezzanine, both Howie and Vallance proved their prowess as EDM innovators, bringing more to the stage than a couple of laptops and a pretty light show. Surprising those unfamiliar with their work or expecting to be underwhelmed, Bob Moses have elevated the live electronic game for their respective contemporaries and succeeded in defining a new chapter for the genre — an innovative sound standard that's all their own. -Molly Kish, photo by Lisette Worster\n22. Floating Points\nThe band continued building on its rhythms and melodies, creating a hypnotic feeling that was filled with textured synthesizers, guitar pedals and consummate percussion, as laser patterns reflected each rise and fall during its lengthy jam sessions. As Sheppard and his sidekicks progressed through each track, the complexity of the laser projections grew into optical illusions that, almost like another musical instrument onstage, intertwined with the style and progression of the band's production perfectly. With each song reaching a climax and eventual denouement, the artwork remained untouched for a few minutes so that fans could observe each piece before their very own eyes. -Brett Ruffenach, photo by Alister Mori\n21. Ty Segall\nBut Segall is no doubt a showman himself, and you'd be hard-pressed to find someone who expends as much energy onstage as he does in merely 90 minutes. His passion simply rubs off on his fans, who wasted little time climbing onstage and taking the plunge into a sea of hands for a couple of minutes. Segall, of course, also got in on the action at one point, as his shows are often known to feature crowd surfing from both band and audience members, and he made sure to take the mic stand with him while he horizontally slithered across the room. -Josh Herwitt, photo by Josh Herwitt\n20. Dr. Teeth and The Electric Mayhem\nOne of the biggest questions on everyone's mind coming into Outside Lands was, \"Who were Dr. Teeth and The Electric Mayhem?\" For those who knew, it was, \"How in the hell were the Muppets going to fill a Sunday slot on the main stage?\" Because the band had never played a show of such magnitude or outside the context of a TV/film studio, no one had any clue what to expect during this early-afternoon slot. Though some festivalgoers (mistakenly) decided to forego the experience altogether, those present will not forget the incredible feat that Another Planet Entertainment and Jim Henson Enterprises were able to pull off for what was one of the most emotionally nostalgic, blissfully complex and once-in-a-lifetime festival performances maybe ever. The Muppet house band both effortlessly managed to pluck the heartstrings of multiple generations of fans while delivering the most conceptually beautiful \"love letter\" to the city of SF, blanketing the grounds in a sea of love and collective euphoria for a brief, yet unforgettable moment. -Molly Kish, photo by Rochelle Shipman\n19. RÜFÜS DU SOL\nBy the time RÜFÜS made their entrance, the excitement in the room was at a fever pitch. The crowd was ready to dance from the very first beat (thanks to the excellent warm-up from Kllo and Yuma X), and they did just that. Lead singer Tyrone Lindqvist took center stage with great energy and proceeded to do the customary water bottle toss shortly after. Lindqvist set the tone right from the get-go for a high-energy, high-audience-participation set. The crowd responded in kind by getting down much harder than expected for a Wednesday night. Notably, there were surprisingly very few phones out as most attendees put away their cameras to make the most of every song. The intimate setting of The Fillmore could almost have been mistaken for the polo grounds of Coachella, given how many girls-on-shoulders could be seen around the venue. -Geoff Hong, photo by Josh Herwitt\n18. Rudimental\nThrough Rudimental tracks like \"Not Giving In\", \"Free\" and \"Waiting All Night\", the most unique element of the group's live production was their charisma. Simply put, they look like they're having fun. These aren't tortured artists or cathartic performers — Rudimental are a band that loves the music they make. Even the band's drummer, Beanie, easily one of the hardest working rhythmists on tour right now, managed to keep a smile on his face, racing through Rudimental's repertoire of songs that were anywhere from 145 to 160 BPMs. The septet's de-facto leader, DJ Locksmith, was surprisingly more in the background than you would expect from a typical DnB hype man. As Rudimental wrapped up their set with their chart-topping hit \"Feel the Love\", the crowd joined in as the song ended, creating a shared moment at The Fox that perfectly reflected the intention of Rudimental — to spread the love. -Brett Ruffenach, photo by Marc Fong\n17. BØRNS\nOn this night, that proverbial phrase seemingly rang true. It wasn't just that BØRNS most likely amassed the largest attendance in the history of the Twilight Concert Series, but also the fact that it was easily one of the best shows I've ever witnessed at the Santa Monica Pier. One could certainly point to the opening of the Expo Line extension as a reason for the larger crowds so far this summer, which wasn't all that noticeable during the series' opening night with Mayer Hawthorne just the week prior, but that would simply be underestimating the exponential rise of Garrett Borns' eponymous project. Since he relocated to Los Angeles in 2013 and signed with Interscope Records, the Michigan native has gone from supporting modest indie bands like MisterWives to selling out shows as a headliner in a matter of a year. -Josh Herwitt, photo by Josh Herwitt\n16. Flying Lotus\nBrainfeeder founder, producer and unapologetic cultural mouthpiece Flying Lotus (born Steven Ellison) ended the night with a mildly controversial headlining set. Walking onstage and making what any FlyLo fan would recognize as an off-colored comment on the current presidential race may have proven too brazen for those not used to his brand. He let Captain Murphy out of the box a little early and road the wave of confusion into a heady, bass-driven assault on the conflicted crowd, providing the distinct audio punctuation point for the night's bill of artists. Playing several tracks off of his 2014 LP You're Dead! as well as various hits from high-profile hip-hop emcees like Travis Scott and Kendrick Lamar that he has produced over the years, Ellison stunned us all with his double-screen, audio-visual stage setup and plenty of bone-rattling bass drops. -Molly Kish, photo by Marc Fong\n15. The Last Shadow Puppets\nTLSP brought a strings section to their show, an added element that helped keep things fresh and new. The show began with the beautiful sounds of violins and cellos, but the moment TLSP got onstage, the whole floor at The Fillmore lit up in billows of smoke. I'm sure the band was stoned by the end of the show if it hadn't been already, appearing beyond excited to be playing on a Sunday night in SF. Turner and Kane must have yelled out something about SF every few minutes and incorporated SF into some of their songs. They were so incredibly tight, and I felt their set in some ways was a bit better than what I had witnessed years ago — the mix and order of the songs felt more succinct at The Fillmore. -Rachel Goodman, photo by Diana Cordero\n14. Miike Snow\nSunday's roster at Coachella last year was significantly weaker in comparison to Friday's and Saturday's. This year was much of the same, though Calvin Harris somehow proved to be an even worse headliner than Drake (we didn't know that was possible). But one of the bright spots on Day 3 was no doubt Miike Snow's 9:45 p.m. slot in the Mojave Tent, the same place where I discovered the Swedish trio back in 2010 during my first Coachella. Andrew Wyatt, Christian Karlsson and Pontus Winnberg have come a long way since then, and with three studio albums in their catalog, including their latest effort iii, they have more than enough material to fill out a 50-minute set and leave you wanting to hear more. -Josh Herwitt, photo by Norm de Veyra\n13. Young Thug\nFresh off releasing the latest — and final — installment of his Slime Season mixtape trilogy, Young Thug took his place on the stage. Arriving in a white blouse, multicolored sequined jacket, dark shades, a polka-dot head scarf and remarkably slim, golden pants, he aligned such a rangy and vibrant uniform with his performance. There wouldn't be any towering LED lights, stunts or stage diving. However, Young Thug, who for the majority of his roughly hour-long set played the lone wolf, delighted the crowd with his animated and bright delivery while running through thundering Slime Season 3 favorites like \"With Them\", \"Digits\" and \"Slime Shit\". The audience, ranging from high school seniors to seasoned workers likely with mortgages, strikingly recited every uncanny, controversial lyric and Ric Flair-esque \"Woo!\" like they had been analyzing them for years. -Joseph Gray, photo by Joseph Gray\n12. Pretty Lights\nTouring with a live band for the first time in 2013 — something that few other EDM artists have done to this day — he quickly changed the way electronic music can be experienced live. Fast forward to last Thursday, and we were once again treated to an electrifying Pretty Lights show that was more than just Smith behind a pair of Macbook Pros and two Akai MPD32s. Making his debut at the majestic Santa Barbara Bowl, he once again showed why he isn't your typical EDM act. With Chris Karns and Big Wild providing support, Smith hit the stage at 8 p.m. with his bandmates — Karns, Borham Lee, Brandon Butler and Alvin Ford, Jr. — and put on a show that dazzled both sonically and visually. What was most impressive, though, was seeing how much of the performance was improvised, as the band transitioned from one jam to another while dropping in a number of remixes here and there. And as I looked on from my seat in the stands, I couldn't help but think about how much the show reminded me of all the times I've seen STS9 perform live. It only seemed fitting considering that the livetronia band helped give Smith his start back in the day, and with the \"EDM bubble\" about to burst (that is, if it hasn't already), it's hopefully an approach more electronic artists will gravitate toward in the future. -Josh Herwitt, photo by Josh Herwitt\n11. Mac DeMarco\nThe 26-year-old king of slacker rock, who over the past few years has become a fan favorite of many Bay Area audiophiles, never seems to hold back when he comes to town. His first night in SF last week saw him jump from The Indy's balcony into an awaiting crowd (a feat that was later imitated by a female audience member at The Warfield the next night), run around half naked while playing new songs and perform a 25-minute cover of Eric Clapton's 1971 hit single \"Layla\" with fart solos sprinkled throughout. -James Pawlish, photo by James Pawlish\n10. Moderat\nEasily the most anticipated set of the weekend from this spectator's vantage point, Moderat hadn't toured since dropping a pair of EPs in 2014. But with the release of its third full-length album, aptly titled III, the Berlin-based supergroup comprised of Apparat's Sascha Ring and Modeselektor members Gernot Bronsert and Sebastian Szary were primed to make their mark on the final day of LIB — and that they did. Beginning with \"Ghostmother\" off their latest LP, Moderat ran through a good chunk of new material, but nothing ignited the crowd more than their new single \"Reminder\", which remains one of our favorite songs of the year so far. As we witnessed a few days earlier at The Fonda Theatre in LA, the group's dark, minimalist stage setup with psychedelic flourishes paired nicely with Ring's ethereal vocals. Of all the other performances throughout the weekend, Moderat's 90-minute set undoubtedly stood as one of the brightest moments of LIB 2016. -Josh Herwitt, photo by Josh Herwitt\n9. Foals\nFoals closed out their rambunctious set with a killer take on the title track \"What Went Down\" that brought lead singer/guitarist Yannis Philippakis diving into the crowd, giving fans one hell of a selfie and proving their rock credentials for good. After all, any band that can unite 20-something bros with 50-something grandparents gets a gold star in our book. Rock brings people together, and those who made it out to see this unicorn of a band won't live to regret it. -Zach Bourque, photo by Steve Carlson\nAs they opened with the dream-inducing interlude \"Nangs\" from their latest studio album Currents, Tame Impala gave the crowd an ample minute and a half to commit to the spatial surroundings before jumping full throttle into an explosive rendition of lead single \"Let It Happen,\" playing the tracks in reverse order than they are on the LP. By the third song (as promised), the sky, having just turned black, was filled with a stadium's worth of rainbow confetti as the band played the opening chords of 2012's psuedo love ballad \"Mind Mischief\". Followed by a rare performance — only the second time in three years — of \"Music to Walk Home By\" from 2012's Lonerism, Tame Impala played a wide range of emotive classics while scrambling the brains of more than 8,500 audience members with their intense onslaught of sensory-overloading imagery and hypnotic light show. -Molly Kish, photo by James Pawlish\n7. Jim James\nJames is in rare company these days, amid a dying breed of guitar-rock gods like Jack White and Josh Homme who are not only capable of playing anything on six strings, but also on a myriad of instruments. And while Eternally Even feels in some ways like an opportunity for him to finally experiment more with keyboards, James made sure to remind his fans at the 90-year-old Orpheum Theatre last Friday that shredding is still a priority. Performing in his new hometown after officially moving to LA this year, he assumed the role of lead singer for much of the show as he and his bandmates from Twin Limb (also opening for James on this tour) played all of Eternally Even and half of Regions. But propped up by a stand onstage the whole time was James' black Gibson axe, and you knew at some point during a two-hour set that he was going to unload some sick riffs like we have become accustomed to seeing from him at Jacket shows. -Josh Herwitt, photo by Josh Herwitt\n6. The National\nThe real headline from The National's performance was hands down the new material that was debuted, pretty much across their entire set, encore included. A rather standard opening of \"Don't Swallow the Cap\" and \"I Should Live in Salt\" led into our first taste of the band's upcoming LP in the form of \"Checking Out\". Though many locals likely recognized this track from last year's Treasure" |
"It's festival season, with the biggest taking place over the next two weekends in April, Coachella, or as it's been dubbed this year, BEYCHELLA thanks to the queen taking the stage! The Coachella Music Festival been in existence since 1999 and takes place in Indio, ca.\nWe have a survival guide for you that comes with party info, a playlist to chill by the pool with AND all the deets on how to stream Beyoncé's performance from the comfort of your home." |
"architect francis kéré is one a number of creatives bringing their talents to the colorado desert for the annual coachella festival. as part of the event, which this year celebrates its 20th anniversary, a number of specially-commissioned, large-scale, sculptural installations have been created, as well as a series of immersive, multimedia experiences that embrace the visual arts, fashion, and architectural practice.\nthe coachella valley music and arts festival, commonly referred to as coachella, has featured a diverse program of artist installations since its inception in 1999. the works, by artists from around the world, combine to create a 'pop-up city' that can be enjoyed by the festival's temporary community. the installations act as landmarks to help map and navigate the field, serving as gathering points, as well as places for respite and shelter away from the desert heat." |
"It's that time of year again in California.\nThis year Coachella takes place over two weekends in Indio, California. The first weekend being April 12-14 and the second, April 19-21. There's definitely enough underground talent for us to want to be there.\nCoachella brings a wide variety of artists across 8 different tents and stages. The ones we're focused on are; Mojave, Sahara, Yuma 7 Dolab. This is where you'll catch us burning some calories on the dance floor.\nWe're here for the house, tech house and techno and we're especially excited for the B2B2B with Nic Fanciulli, Hot Since 82 & New York City native Lauren Lane. It will be interesting to watch them blend their styles seamlessly.\nWe'll see you on the dancefloor!" |
"Although it is some time away, RUMOR HAS IT that Kanye, Justin Timberlake and Childish Gambino will LIKELY HEADLINE Coachella 2019!\nIt's worth noting that the official Coachella lineup will not be confirmed until next January. However, Coachella has officially confirmed a few details about the 2019 event: it will take place during the second and third weekends of April (the 12-14 and the 19-21), and the first round of ticket sales have already taken place.\nThis is a RUMOR, but who can TOP Beyonce's RECORD BREAKING set?\nNeither Timberlake, nor Gambino, nor West have denied or confirmed the headliner predictions, as of yet. WE WILL WAIT…." |
"If you were thinking of heading to Coachella once before you kick the bucket… I can safely announce that 2018 is the year to do it.\nThe line-up has just been announced - and it has people downright SHOOK.\nBeyonce is gracing us with her presence on the Saturday, and to be honest - I could stop there and be supremely satisfied - but I'll continue on.\nAlso on Saturday, noteable mentions include Haim, Tyler the Creator and Post Malone.\nOn opening day Friday, The Weeknd will take the main stage, alongside Jamiroquai, St. Vincent, Sza and Kygo!\nEminem will be taking stage on the Sunday, headlining that day in spectacular form, along with Portugal the Man, Odesza, Cardi B, Vance Joy and Migos - along with so many more.\nHonestly, could you get ANY BETTER?" |
"Annie LeBlanc will also be there!\nGet ready to dance your heart out and get covered in slime, because SlimeFest is back! Our April/May cover girl JoJo Siwa will perform at the two-day family event in Chicago—and we are soooo hype about it!\nThe second annual festival will also feature performances by the amazing Pitbull, Bebe Rexha and T-Pain, as well as appearances by Annie LeBlanc (Annie vs. Hayley), Owen Joyner and Daniella Perkins (Knight Squad), Ella Anderson and Riele Downs (Henry Danger), Scarlet Spencer and Dallas Dupree Young (Cousins For Life).\nAs if meeting and seeing your fave celebs perform wasn't enough, the fest will also include about a million ways to get slimed: you can visit Slime Central, where over 30 people can get slimed simultaneously, attempt the Slime Maze, live your best life in the giant slime pit in front of the stage, make your own slime at the Slime Lab and dance a silent Slime Disco.\nAre you excited about Nick's SlimeFest? Share your thoughts in the comments!" |
"Slimetopia is coming to Tukwila, Washington on June 15th and 16th 2019 for a whole weekend of fun! Slimetopia will be held at the Tukwila Community Center in the gym. Meet some of the biggest slimers and participate in our Slimetopia Tournament with your best slime creation! There will be many activities for all ages!" |
"This October half term, Nickelodeon SLIMEFEST returns for another Slime-soaked year!\nJoin Nickelodeon presenters Jordan and Perri as they host all the SLIME, MUSIC and MAYHEM at The Arena, Blackpool Pleasure Beach from 21st – 23rd October 2017. With special guests and top music acts, you will not want to miss it!\nEach SLIMEFEST show will feature epic performances by dance super group, Diversity. Plus rockin' musical performances by leading pop acts and appearances by some of Nickelodeon's biggest stars!" |
"Watch: Coachella Performances by Jeff Mangum, Real Estate, The Weeknd, James\nMore Songs From The First Weekend\nApr 16, 2012 By Mike Hilleary\nNew videos of Coachella's weekend performances have been found. More\nWatch: Full Coachella Sets From Radiohead, Pulp, St. Vincent, and M83\nAlso Songs From Bon Iver, Andrew Bird, and others\nWith the first weekend of Coachella complete, numerous videos highlighting the days' big performances have begun trickling online for those unable to physically make it to the festivities. More\nCoachella Announces Set Times For First Weekend\nDecision-Making Time\nTaking place for the first time over the course of not one, but two weekends, Coachella has revealed its list of set times for April 13-15. More\nCoachella Announces Lineup: Black Keys, Radiohead, and Dr. Dre & Snoop Dogg Headline\nAlso Playing: M83, The Horrors, Bon Iver, Florence + The Machine, Beirut and More\nJan 10, 2012 By Laura Studarus\nIt's that time of year—when work everywhere grinds to a halt, and music fans everywhere take stock of Coachella's annual line-up announcement. This year, the festival has taken the unprecedented step of two mirror image weekends, featuring headliners The Black Keys, Radiohead, and Dr. Dre & Snoop Dogg.\nCoachella Expanding to Two Weekends in 2012\nApril 13-15 and April 20-22. Presale Begins This Friday.\nMay 31, 2011 By John Everhart\nCoachella's expanding to two weekends in 2012. We have the details, including on sale dates. More\nKeep Shelly in Athens\nWaking Dream\nMay 02, 2012 By Laura Studarus\nKeep Shelly in Athens actually hail from Athens, Greece. This much we do know. But very little else has been said about the enigmatic duo, who seemingly snuck onto the music scene with last year's debut EP Our Own Dream.\nRiding the Wave\nYou have Morgan Kibby to thank for the can't-get-'em-out-of-your-head lyrics of \"Midnight City.\" A vital part of M83 since 2008's Saturdays=Youth, Kibby has been responsible for her fair share of \"lighters aloft\" moments in the French/Los Angeleno collective, writing lyrics and providing vocals for the electonic/ambient/shoegaze/dance group. Currently touring M83's 201l album, Hurry Up, We're Dreaming, she has also been hard at work on her solo project, White Sea. More\nCoachella Day 3: Beirut, Goyte, Wild Flag, and Fitz & the Tantrums\nApr 17, 2012 By Laura Studarus\nI learned an important fact on the final day of Coachella—namely that no one knows anything. Oh hey, there was also music from Fitz & the Tantrums, Wild Flag, Gotye, and Beirut. More\nCoachella Recap Day 2: Radiohead, Andrew Bird, tUnE-yArDs, Destroyer and More\nThe strongest line-up of the three-day set, Saturday's highlights included: Andrew Bird, Destroyer, Bon Iver, and some band called Radiohead.\nCoachella Recap Day 1: Neon Indian, Pulp, M83 and More\nRegardless of the setbacks, it was—as usual—a day of exceptional music. The day's highlights) and lowlights included Neon Indian, Arctic Monkeys, Pulp, Mazzy Star, The Rapture, M83, and The Horrors.\nSep 04, 2020 Issue #67 - Phoebe Bridgers and Moses Sumney\nWatch Local Natives and Sharon Van Etten Perform \"Lemon\" on \"Jimmy Kimmel Live!\" (News) — Local Natives, Sharon Van Etten, Classixx, Foals, Jaws of Love.\nFleet Foxes Share Live Video for \"I'm Not My Season\" Recorded in a Brooklyn Church (News) — Fleet Foxes, Robin Pecknold, The Resistance Revival Chorus\nPremiere: Jocelyn Mackenzie Debuts New Single, \"Mango Leather\" (News) — Jocelyn Mackenzie\nMinding the Gap (Review) —\nPremiere: KALI Debuts New Single, \"Lucy\" (News) — KALI\nContact Staff About Us Site by Someoddpilot & Methodtree, Inc. © Under The Radar Magazine" |
"Coachella 2012 lineup announced\nBy Mila Pantovich | January 10, 2012\nAfter months of speculation and predictions, the official Coachella lineup has finally been announced. This year will mark a very big change because the festival will now double itself, covering two weekends instead of just one. The dates of the show are April 13-15 and April 20-22. Many fans have voiced their displeasure and concerns over the change but many are also pleased that now they have a choice between two weekends, making it easier to fit in with schedules.\nFor those who didn't grab a ticket last year, it may be tough to orchestrate the official website now because of the overwhelming traffic that is causing the site to glitch. However, despite the volume of people visiting the site, I have a feeling it shouldn't be too difficult to grab a ticket when they go on sale on Friday, January 13 at 10 a.m., starting at $285 for a pass. Technically, the festival has been doubled and that means double the tickets. Just make sure to be on the computer at exactly 10 a.m. to get that ticket and make sure you're getting one for the same weekend your friends are.\nRegardless of the scheduling, 2012 Coachella is promising to be an amazing experience, with headliners The Black Keys, Radiohead, and Dr. Dre and Snoop Dog. There are some definite hits, like the scheduling of the brilliant Gotye on Sunday, April 15 and 22, and some misses, like the exclusion of rising star Lana Del Rey, but the experience is sure to deliver in a way only Coachella can.\nCheck out the easy to read list below or scroll down farther for the official lineup poster.\nFriday, April 13 & 20\nThe Black Keys, Swedish House Mafia, Pulp, Refused, Arctic Monkeys, Mazzy Star, Afrojack, Explosions in the Sky, M83, Amon Tobin, Cat Power, Madness, Jimmy Cliff & Tim Armstrong, GIRLS, The Rapture, Madeon, M. Ward, The Horrors, Frank Ocean, Horrors, James Alesso, Sebastien, Yuck, Neon Indian, Dawes, Black Angels, Deathgrips, Wu Lyf, Breakbot, Atari Teenage Riot, Feed Me, Givers, Other Lives, Band of Skulls, R3hab, Wolfgang, Midnight Beast, EMA, Ximena Sarinana, Kendrick Lamar, The Dear Hunter, Honeyhoney, Hello Seahorse!, Sheepdogs, LA Riots.\nSaturday, April 14 and 21\nRadiohead, Bon Iver, The Shins, David Guetta, Noel Gallagher's High Flying Birds, Kaskade, Miike Snow, Jeff Mangum, Sebastian Ingrosso, Andrew Bird, Feist, Firehose, Godspeed You! Black Emperor, St. Vincent, Martin Solveig, Subfocus, Sbtrkt, Flying Lotus, Manchester Orchestra, Kasabian, AWOL Nation, Azealia Banks, Squeeze, A$AP Rocky, Buzzcocks, Kaiser Chiefs, Destroyer, The Head and the Heart, Laura Marling, Tuneyards, Grace Potter and the Nocturnals, Black Lips, The Big Pink, Childish Gambino, The Vaccines, Zed's Dead, Grouplove, Jacques Lu Cont, We Were Promised, Jetpacks, Gary Clark Jr., Borgore, Dragonette, We Are Augustines, Mt. Eden, Destructo, Suedehead, Keep Shelley in Athens, Pure Filth Sound.\nSunday, April 15 and 22\nDr. Dre and Snoop Dogg, At the Drive-In, Justice, Florence and the Machine, AVICII, La Roux, Beirut, The Weeknd, Girl Talk, The Hives, DJ Shadow, Calvin Harris, Nero, Wild Flag, Modeselektor, Dada Life, Porter Robinson, Santigold, Flux Pavilion, Dr. P, Gotye, Seun Keti, Egypt 80, Beats Antique, Fitz and the Tantrums, Araabmuzik, Company Flow, Real Estate, Zed, Le Bucherettes, Greg Ginn, The Growlers, Noisia, Morgan Page, Gaslamp Killer, First Aid Kit, Oberhofer, Lissie, Thundercat, Metronomy, Wild Beasts, Housse de Racket, Fanfarlo, Spector, Gardens & Villa, Airplane Boys, Sleeper Agent.\nRelated Itemscoachella 2012coachella festivalcoachella ticketsCoachella Valley Music and Arts Festivalcoachelle 2012 lineupIndio Empire\nMila Pantovich\n← Previous Story Christmas Events in San Diego\nNext Story → San Diego Celebrates Chinese New Year 2012\nCoachella Valley Music & Arts Festival Lineup Released. Tickets on Sale January 10, 2014\nTupac Resurrection at Coachella 2012\nSign Up Today to Receive the Latest Content Updates and Subscriber Perks\nJurassic Quest to Return to Del Mar Fairgrounds\nComing back, by popular demand… Jurassic Quest will return to the Del Mar Fairgrounds March 26 – April […]\nDebunking Common Misconceptions About CBD\nCBD has been legal for several years now. But because of the country's long and complex history with […]\nFashion Accessories Guys Often Overlook\nGuys often get a bad rap in the fashion game for not always putting in the necessary work […]\nClydesdale Program Supporting San Diego Black-Owned Businesses\nFounders First CDC and Pacific Western Bank, with support from other community and bank contributors, has launched the […]\nInterior Design in a Time of COVID\nCOVID has changed everything about how we live, so it's not surprising it's also had an effect on […]\nallie daugherty Apple Balboa Park Beer Chargers comic-con Concerts del mar Dining facebook Featured Film financial advice Fitness food Gaslamp Halloween health holidays la jolla local music Movie movie review movie reviews movies Music Netflix NFL North Park recipe Recipes review San Diego San Diego Chargers san diego dining San Diego events space summer technology Theater things to do Thirsty Thursday This Weekend in San Diego travel video\nYour Source for Everything San Diego\nCopyright © 2018 SDEntertainer." |
"The Do LaB stage has long been one of our favorite corners of Coachella, an oasis of misters, fat beats and good vibes that magically seems to avoid being overrun with Sahara Tent bros. And its lineup, curated by the Do LaB art collective and announced separately from the main festival, always has a few big-name special guests and future stars on the come up. It's like a festival within a festival.\nThis year's Do LaB Coachella lineup, just announced today, looks like another winner. The names you'll immediately recognize are likely The Gaslamp Killer, Mr. Carmack, Barclay Crenshaw (aka Dirtybird mastermind Claude VonStroke) and Justin Martin. But there are plenty of other talents well worth checking out, including the Desert Hearts crew (Mikey Lion, Lee Reynolds, Marbs and Porkchop) on weekend two and two of the hottest DJs from the Paris house scene, Zimmer and Shiba San, on weekend one.\nSee below for complete weekend one and weekend two Do LaB lineups (and yes, each weekend, unlike the rest of Coachella, will be totally different). Set times will be announced closer to the festival." |
"Home » Celebrities » Coachella 2023 Headliners & Full Lineup Revealed See Whos Playing!\n10/01/2023 Celebrities\nThe complete lineup for the upcoming 2023 Coachella Valley Music and Arts Festival has just been announced!\nLast week, three acts were rumored to be headlining the upcoming festival, which takes place across two weekends in April, and now they have been confirmed.\nClick inside to find out who will be performing…\nTaking the main stage are Bad Bunny on Friday, BLACKPINK on Saturday and Frank Ocean on Sunday!\nBLACKPINK will be the FIRST K-pop act to headline the annual festival, while Bad Bunny is the first Latin artist to headline.\nAlso on the lineup include Becky G, Rosalia, Charli XCX, Labrinth, The Kid LAROI, Dominic Fike, Latto, Jackson Wang, Kali Uchis, Porter Robinson and many more.\nThere are even returning acts, including Christine and the Queens, Idris Elba, Fisher, Chris Lake, Calvin Harris, and more.\nThe festival this year will take place April 14-16 and April 21-23.\nCheck out the full 2023 Coachella lineup below…\nPrevious Post:The Richest Rappers In The World, As Of 2023\nNext Post:Judge Judy SLAMS 'Selfish' Prince Harry – & Goes OFF About Spare!" |
"Home › Products › Ion Channels › Ca2+ Signaling › Voltage-Gated Ca2+ Channels › Antibodies to CaV Channels\nAnti-CaV3.3 (CACNA1I) Antibody\nVoltage-dependent T-type calcium channel subunit α1I\nCat #: ACC-009\nAlternative Name Voltage-dependent T-type calcium channel subunit α1I\nPeptide CNGRMPNIAKDVFTK, corresponding to amino acid residues 1053-1067 of rat CaV3.3 (Accession number Q9Z0Y8). Intracellular, between domains II and III.\nAccession (Uniprot) Number Q9Z0Y8\nHomology Human - 14/15 amino acid residues identical.\nReconstitution 25 µl, 50 µl or 0.2 ml double distilled water (DDW), depending on the sample size.\nAntibody concentration after reconstitution 0.75 mg/ml.\nStorage after reconstitution The reconstituted solution can be stored at 4°C for up to 1 week. For longer periods, small aliquots should be stored at -20°C. Avoid multiple freezing and thawing. Centrifuge all antibody preparations before use (10000 x g 5 min).\nStandard quality control of each lot Western blot analysis.\nApplications: ic, if, ih, wb\nMay also work in: ifc*, ip*\nWestern blot analysis of rat brain membranes:\n1. Anti-CaV3.3 (CACNA1I) Antibody (#ACC-009), (1:200).\n2. Anti-CaV3.3 (CACNA1I) Antibody, preincubated with Cav3.3/CACNA1I Blocking Peptide (#BLP-CC009).\nMouse hindbrain (Moruzzi, A.M. et al. (2009) J. Physiol. 587, 5081.).\nHuman sperm cells (1:50) (Zhang, D. et al. (2006) J. Biol. Chem. 281, 22332.).\nPark, J.Y. et al. (2004) J. Biol. Chem. 279, 21707.\nChemin, J. et al. (2001) Eur. J. Neurosci. 14, 1678.\nMonteil, A. et al. (2000) J. Biol. Chem. 275, 16530.\nGomora, J.C. et al. (2002) Biophys. J. 83, 229.\nT-type Ca2+ channels play an important role in many cellular processes such as hormone secretion, neurotransmitter release and cell differentiation.\nT-type channels are also known to participate in the pacemaker activities of the heart and neurons including thalamic neurons.1 Three genes encoding T-type Ca2+ channels have been cloned and designated as CaV3.1 (CACNA1G), CaV3.2 (CACNA1H) and CaV3.3 (CACNA1I).1-3\nWhile CaV3.1 and CaV3.2 are widely expressed in various tissues, CaV3.3 is primarily expressed in the central nervous system, where high expression has been described in thalamic neurons.\nThe Ca2+ current generated by the CaV3.3 channel displays much slower activation and inactivation compared to the currents produced by CaV3.1 and CaV3.2, suggesting it might play a different role in neuronal excitability.1,4\nAlomone Labs is pleased to offer a highly specific antibody directed against an intracellular epitope of the CaV3.3 channel. Anti-CaV3.3 (CACNA1I) Antibody (#ACC-009) can be used in western blot, immunohistochemical and immunocytochemical applications. It has been designed to recognize CaV3.3 from rat, human and mouse samples.\nWestern blot citations\nHuman artery lysates (1:200).\nHarraz, O.F. et al. (2015) J. Gen. Physiol. 145, 405.\nImmunohistochemistry citations\nMouse hindbrain.\nMoruzzi, A.M. et al. (2009) J. Physiol. 587, 5081.\nHuman sperm cells (1:50).\nZhang, D. et al. (2006) J. Biol. Chem. 281, 22332.\nMore product citations\nWeiss, N. et al. (2012) J. Biol. Chem. 287, 2810.\nAnderson, D. et al. (2010) Nat. Neurosci. 13, 333.\nKovács, K. et al. (2010) J. Neurosci. Res. 88, 448.\nAnti-CACNA1G (CaV3.1) Antibody (#ACC-021)\nAnti-CaV3.2 (CACNA1H) Antibody (#ACC-025)\nAnti-CACNA2D1 (CaVα2δ1) (extracellular) Antibody (#ACC-015)\nAnti-CACNA2D4 (CaVα2δ4) (extracellular)-ATTO Fluor-594 Antibody (#ACC-104-AR)\nGTx1-15 (#STT-300)\nBenidipine hydrochloride (#B-120)\nMibefradil dihydrochloride hydrate (#M-150)\nNNC 55-0396 dihydrochloride (#N-205)\nTTA-P2 (#T-155)\nNon-L-Type CaV Channel Antibody Explorer Kit (#AK-216)\nCaV Channel Antibodies for Pain Research Explorer Kit (#AK-360)\nT-Type CaV Channel Blocker Explorer Kit (#EK-111)\nCaV Channel Blockers for Pain Research Explorer Kit (#EK-385)\nT-Type CaV Channel Basic Research Pack (#ESB-101)\nT-Type CaV Channel Premium Research Pack (#ESP-101)\nT-Type CaV Channel Deluxe Research Pack (#ESD-101)\nA Blocking peptide for Anti-CaV3.3 (CACNA1I) Antibody (#ACC-009). Intended to be used as a negative control.\nCav3.3/CACNA1I Blocking Peptide (#BLP-CC009) Add Peptide to cart\nVoltage Dependent Ca2+ (CaV) Channels\nT-Type Ca2+ Channels\nT-Type (CaV3) Channels\nGet a free trial sample\nRead more about our Free Sample Program" |
"VRC 605: Safety and Pharmacokinetics of a Human Monoclonal Antibody, VRC-HIVMAB075-00-AB (VRC07-523LS), Administered Intravenously or Subcutaneously to Healthy Adults\nFirst Posted : January 9, 2017\nResults First Posted : July 11, 2019\nLast Update Posted : October 26, 2020\nNational Institutes of Health Clinical Center (CC) ( National Institute of Allergy and Infectious Diseases (NIAID) )\nStudy Results\nAllocation: Non-Randomized; Intervention Model: Sequential Assignment; Masking: None (Open Label); Primary Purpose: Prevention\nBiological: VRC-HIVMAB075-00-AB\nParticipant Flow\nTop of Page Participant Flow Baseline Characteristics Outcome Measures Adverse Events Limitations and Caveats Information More Information\nRecruitment Details Healthy adults were recruited at the NIH Clinical Center in Bethesda, Maryland.\nPre-assignment Details\nArm/Group Title\nGroup 1: 1 mg/kg IV Single Dose\nGroup 3: 5 mg/kg SC Single Dose\nGroup 4: 20 mg/kg IV Single Dose\nGroup 6: 5 mg/kg SC Multiple Doses\nGroup 7: 20 mg/kg IV Multiple Doses\nArm/Group Description Group 1 subjects received a single ... Group 2 subjects received a single ... Group 3 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 6 subjects received a SC inje... Group 7 subjects received an IV inf...\nArm/Group Description\nGroup 1 subjects received a single IV infusion of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0 at a dose of 1 mg/kg.\nVRC-HIVMAB075-00-AB: VRC07-523LS is an Investigational Monoclonal Antibody targeted to the CD4 binding site of HIV-1.\nGroup 3 subjects received a single SC injection of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0 at a dose of 5 mg/kg.\nGroup 4 subjects received a single IV infusion of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0 at a dose of 20 mg/kg.\nGroup 6 subjects received a SC injection of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0, Week 12 and Week 24 at a dose of 5 mg/kg.\nGroup 7 subjects received an IV infusion of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0, Week 12 and Week 24 at a dose of 20 mg/kg.\nPeriod Title: Overall Study\nStarted 4 3 3 3 3 5 5\nReceived VRC07-523LS Per Protocol 3 3 3 3 3 4 4\nDiscontinued VRC07-523LS Administrations 1 [1] 0 0 0 0 1 [2] 1 [3]\nCompleted 3 3 3 3 3 4 [4] 4 [5]\nNot Completed 1 0 0 0 0 1 1\nReason Not Completed\nEnrolled, but product never administered 1 0 0 0 0 0 0\nWithdrawal by Subject 0 0 0 0 0 1 0\nPhysician Decision 0 0 0 0 0 0 1\nOne Group 1 subject decided not to receive the VRC07-523LS infusion\nOne Group 6 subject received only 1 of 3 scheduled doses prior to withdrawing from the study\nOne Group 7 subject received only 1 of 3 scheduled doses due to an unrelated intercurrent illness\nGroup 6 subject who received only 1 dose chose to withdraw from study after the first administration\nGroup 7 subject who received only 1 dose was withdrawn after unrelated intercurrent illness resolved\nBaseline Characteristics\nArm/Group Description Group 1 subjects received a single ... Group 2 subjects received a single ... Group 3 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 6 subjects received a SC inje... Group 7 subjects received an IV inf... Total of all reporting groups\nTotal of all reporting groups\nOverall Number of Baseline Participants\nBaseline Analysis Population Description ...\nBaseline Analysis Population Description\nPopulation includes all enrolled subjects.\nAge, Continuous\nMean (Standard Deviation)\nUnit of measure: Years\nNumber Analyzed 4 participants 3 participants 3 participants 3 participants 3 participants 5 participants 5 participants 26 participants\n26.5 (7.0) 28.0 (9.5) 30.0 (7.0) 27.0 (2.6) 40.0 (10.4) 25.8 (4.1) 30.0 (10.6) 29.2 (8.1)\nAge, Customized\nMeasure Type: Count of Participants\nUnit of measure: Participants\nSex: Female, Male\nEthnicity (NIH/OMB)\nNot Hispanic or Latino\nUnknown or Not Reported\nRace/Ethnicity, Customized\nUnit of measure: Kg\n75.8 (4.6) 65.5 (17.3) 89.4 (15.0) 75.9 (11.0) 67.2 (20.1) 55.2 (7.1) 76.1 (11.4) 71.3 (14.9)\nHigh school graduate/GeneralEducationalDevelopment\nAdvanced degree\n1.Primary Outcome\nNumber of Subjects Reporting Systemic Reactogenicity Signs and Symptoms Within 3 Days of Any Product Administration\nSubjects recorded 3-day systemic symptoms in a diary after each study ...\nSubjects recorded 3-day systemic symptoms in a diary after each study product administration. Solicited systemic symptoms include: unusually tired/feeling unwell, muscles aches, headache, chills, nausea, temperature and joint pain. Subjects recorded highest measured temperature daily. Clinicians reviewed the diary with the subject and collected resolution information for any symptoms that were not resolved within 3 days. Subjects were counted once for each symptom at the worst severity if they indicated experiencing the symptom at any severity during the reporting period. The number reported for \"Any Systemic Symptom\" is the number of subjects reporting any systemic symptom at the worst severity. Solicited reactogenicity was recorded without an attribution assessment. Grading was done by Division of AIDS Table for Grading the Severity of Adult and Pediatric Adverse Events Version 2.0.\n3 days after each product administration\nOutcome Measure Data Outcome Measure Data\nAnalysis Population Description\nSubjects who received VRC07-523LS (N=25), where \"N\" signifies number of subjects analyzed for this outcome measure. Groups 1, 2, 4, 5 and 7 are IV administration groups and Groups 3 and 6 are SC administration groups, with Groups 6 and 7 receiving multiple doses.\nGroup 7: 20 mg/kg IV Multiple Doses: Dose 1\nOverall IV Groups\nGroup 6: 5 mg/kg SC Multiple Doses: Dose 1\nOverall SC Groups\nArm/Group Description: Group 1 subjects received a single ... Group 2 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 7 subjects who received an IV... Group 7 subjects who received an IV... Group 7 subjects who received an IV... Total number of subjects who receiv... Group 3 subjects received a single ... Group 6 subjects who received a SC ... Group 6 subjects who received a SC ... Group 6 subjects who received a SC ... Total number of subjects who receiv...\nArm/Group Description:\nGroup 7 subjects who received an IV infusion of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0 at a dose of 20 mg/kg.\nGroup 7 subjects who received an IV infusion of VRC07-523LS (VRC-HIVMAB075-00-AB) on Week 12 at a dose of 20 mg/kg.\nTotal number of subjects who received an IV infusion of VRC07-523LS (VRC-HIVMAB075-00-AB) - Groups 1, 2, 4, 5 and 7 are IV administration groups\nGroup 6 subjects who received a SC injection of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0 at a dose of 5 mg/kg.\nGroup 6 subjects who received a SC injection of VRC07-523LS (VRC-HIVMAB075-00-AB) on Week 12 at a dose of 5 mg/kg.\nTotal number of subjects who received an SC injection of VRC07-523LS (VRC-HIVMAB075-00-AB) - Groups 3 and 6 are SC administration groups\nOverall Number of Participants Analyzed\n3 3 3 3 5 4 4 17 3 5 4 4 8\nAny Systemic Symptom Reported\nNumber of Subjects Reporting Local Reactogenicity Signs and Symptoms Within 7 Days of Any Product Administration\nLocal symptoms assessed and recorded by the clinicians. Solicited loca...\nLocal symptoms assessed and recorded by the clinicians. Solicited local symptoms include pain/tenderness, swelling, redness, bruising, and pruritus (itchiness) at the product administration site. Clinicians assessed the study product administration site for local symptoms on the day of product administration after completion of the administration and on Days 1, 2 and 7 post administration. Subjects were counted once for each symptom at the worst severity if they experienced the symptom at any severity during the reporting period. If symptoms were experienced, clinicians collected resolution information for any symptom that was not resolved within 7 days. The number reported for \"Any Local Symptom\" is the number of subjects reporting any local symptom at the worst severity. Solicited reactogenicity recorded without an attribution assessment. If symptoms were reported, grading was done by Division of AIDS Table for Grading the Severity of Adult and Pediatric Adverse Events Version 2.0.\nArm/Group Description: Group 1 subjects received a single ... Group 2 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 7 subjects who received an IV... Group 7 subjects who received an IV... Group 7 subjects who received an IV... Total number of subjects who receiv... Group 3 subjects received a single ... Group 6 subjects received a SC inje... Group 6 subjects who received a SC ... Group 6 subjects who received a SC ... Total number of subjects who receiv...\nGroup 6 subjects received a SC injection of VRC07-523LS (VRC-HIVMAB075-00-AB) on Day 0 at a dose of 5 mg/kg.\nPain/Tenderness\nAny Local Symptom Reported\nNumber of Subjects Reporting 1 or More Unsolicited Non-Serious Adverse Events\nUnsolicited adverse events (AEs) collected during the period from stud...\nUnsolicited adverse events (AEs) collected during the period from study product administration at Day 0 through 56 days after the last product administration. After the indicated time period through the last expected study visit at 24 weeks after the last product administration, only new chronic medical conditions collected as unsolicited AEs. The number reported is the number of subjects who experienced at least one AE in the reporting period. A subject with multiple experiences of the same event is counted once using the event of worst severity.\nThrough 24 weeks after the last product administration\nSubjects who received VRC07-523LS (N=25), where \"N\" signifies number of subjects analyzed for this outcome measure.\nArm/Group Description: Group 1 subjects received a single ... Group 2 subjects received a single ... Group 3 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 6 subjects received a SC inje... Group 7 subjects received an IV inf... Total number of subjects who receiv...\nTotal number of subjects who received VRC07-523LS (VRC-HIVMAB075-00-AB)\nRelated to study product\nUnrelated to study product\nNumber of Subjects Reporting Serious Adverse Events\nSerious adverse events (SAEs) collected during the period from study p...\nSerious adverse events (SAEs) collected during the period from study product administration at Day 0 through 24 weeks after the last product administration.\n5.Secondary Outcome\nMaximum Observed Serum Concentration (Cmax) of VRC07-523LS: Single Dose Groups\nCmax is the peak serum concentration that VRC07-523LS achieves after i...\nCmax is the peak serum concentration that VRC07-523LS achieves after it has been administered; it is determined as a maximum value on the summary pharmacokinetic (PK) curve for each study group.\nSerum was collected at the following time points:\nGroups 1, 2, 4, and 5: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1-4, 8, 12, 16, 20, and 24 post infusion; Group 3: Pre-injection (baseline) and 24, 48, 72 hours post injection, and Weeks 1-4, 8, 12, 16, 20, and 24 post injection\nUp to 24 weeks post product administration\nPharmacokinetic (PK) parameters shown for all subjects who received at least one administration of VRC07-523LS, and represents the first dose only. One subject in Group 7 (multiple doses at 20 mg/kg IV) who only received a single dose was analyzed with Group 4 (single dose at 20 mg/kg IV).\nArm/Group Description: Group 1 subjects received a single ... Group 2 subjects received a single ... Group 3 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ...\nUnit of Measure: µg/mL\n47 (16) 240 (35) 50 (11) 869 (190) 1630 (644)\nMaximum Observed Serum Concentration (Cmax) of VRC07-523LS: Multiple Dose Groups\nSerum was collected at the following time points for Groups 6 and 7 after Dose 1 and Dose 3:\nGroup 6, Dose 1: Pre-injection (baseline) and 24, 48, and 72 hours post injection, followed by Weeks 1, 2, 4 and 8 post injection; Group 6, Dose 3: Pre-injection (Week 24) and 72 hours post injection, followed by Weeks 25-28 and every 4 weeks up to 48 weeks post injection; Group 7, Dose 1: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hrs post infusion, followed by Weeks 1, 2, 4 and 8 post infusion; Group 7, Dose 3: Pre-infusion (Week 24), end of infusion and 1 hour post infusion followed by Weeks 25-28 and every 4 weeks up to 48 weeks post infusion\nPharmacokinetic (PK) parameters shown for all subjects who received at least one administration of VRC07-523LS, and represents the first dose only. One subject in Group 7 (multiple doses at 20 mg/kg IV) who only received a single dose was analyzed with Group 4 (single dose at 20 mg/kg IV). For Dose 3, values calculated from 4 subjects per group.\nArm/Group Description: Group 6 subjects received a SC inje... Group 7 subjects received an IV inf...\nDose 1\nNumber Analyzed\n5 participants 4 participants\n38 (17) 1196 (74)\n37 (12) 799 (98)\nTime to Reach Maximum Observed Serum Concentration (Tmax) of VRC07-523LS\nTmax is the time it takes to reach Cmax of VRC07-523LS after it has be...\nTmax is the time it takes to reach Cmax of VRC07-523LS after it has been administered; it is determined based on the summary PK curve for each study group\nGroups 1, 2, 4, and 5: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1-4, 8, 12, 16, 20, and 24 post infusion; Group 3: Pre-injection (baseline) and 24, 48, 72 hours post injection, and Weeks 1-4, 8, 12, 16, 20, and 24 post injection; Group 6, Dose 1: Pre-injection (baseline) and 24, 48, and 72 hours post injection, followed by Weeks 1, 2, 4 and 8 post injection; Group 7, Dose 1: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1, 2, 4 and 8 post infusion\nThrough 24 weeks after the last product administration for Groups 1-5 and through 8 weeks after the last product administration for Groups 6 and 7\nArm/Group Description: Group 1 subjects received a single ... Group 2 subjects received a single ... Group 3 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 6 subjects received a SC inje... Group 7 subjects received an IV inf...\nUnit of Measure: days\n0.7 (0.5) 0.04 (0.02) 10 (9.5) 0.3 (0.4) 0.04 (0.02) 5.7 (5.0) 0.04 (0.02)\n4 Week Mean Serum Concentration of VRC07-523LS\nThe mean of individual subject VRC07-523LS serum concentrations by adm...\nThe mean of individual subject VRC07-523LS serum concentrations by administered dose group\nWeek 4 post product administration\n14 (7.5) 57 (11) 31 (11) 148 (28) 272 (52) 25 (13) 242 (51)\n12 Week Mean Serum Concentration of VRC07-523LS: Single Dose Groups\nWeek 12 post product administration\n3.8 (0.7) 57 (11) 7.1 (1.3) 44 (14) 85 (30)\n10.Secondary Outcome\n12 Week Mean Serum Concentration of VRC07-523LS: Multiple Dose Groups\nUp to 12 weeks after each product administration\n6.3 (1.5) 46 (13)\nArea Under the Curve (AUC(0-inf)): Single Dose Groups\nThe total area under the curve (AUC(inf)) was taken as the sum of the ...\nThe total area under the curve (AUC(inf)) was taken as the sum of the observed AUC up to the final concentration (AUC(obs)) plus the AUC after the final concentration (AUC(Clast-inf)) where AUC(Clast-inf) was estimated as Clast/lz.\nAdministration (0h) to 24 weeks post product administration\nUnit of Measure: µg*d/mL\n1381 (325) 4551 (904) 2189 (309) 13748 (1853) 25517 (5097)\nArea Under the Curve (AUC0-84D): Multiple Dose Groups\nThe AUC0-84D represents the total drug exposure in 84 days after VRC07...\nThe AUC0-84D represents the total drug exposure in 84 days after VRC07-523LS administration; it is determined based on the summary PK curve for each group.\nAdministration (0h) up to 84 days after each product administration\nPharmacokinetic (PK) parameters shown for all subjects who received at least one administration of VRC07-523LS, and represents the first dose only. One subject in Group 7 (multiple doses at 20 mg/kg IV) who only received a single dose was analyzed with Group 4 (single dose at 20 mg/kg IV). For Dose 3, value calculated from 4 subjects per group.\n1440 (563) 14760 (2646)\nVRC07-523LS Clearance Rate\nRate of VRC07-523LS elimination divided by the plasma VRC07-523LS conc...\nRate of VRC07-523LS elimination divided by the plasma VRC07-523LS concentration; determined based on the summary PK curve for each study group.\nGroups 1, 2, 4, and 5: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1-4 post infusion; Group 3: Pre-injection (baseline) and 24, 48, 72 hours post injection, and Weeks 1-4 post injection; Group 6, Dose 1: Pre-injection (baseline) and 24, 48, and 72 hours post injection, followed by Weeks 1, 2 and 4 post injection; Group 7, Dose 1: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1, 2 and 4 post infusion\nAdministration (0h) to 28 days post product administration\nPharmacokinetic (PK) parameters shown for all subjects who received at least one administration of VRC07-523LS. One subject in Group 7 (multiple doses at 20 mg/kg IV) who only received a single dose was analyzed with Group 4 (single dose at 20 mg/kg IV). Value following SC administration represents CL/F (apparent clearance).\nArm/Group Description: Group 1 subjects received a single ... Group 2 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 7 subjects received an IV inf... Total number of subjects who receiv... Group 3 subjects received a single ... Group 6 subjects received a SC inje... Total number of subjects who receiv...\n3 3 4 3 4 17 3 5 8\nUnit of Measure: mL/day\n70 (20) 78 (18) 110 (19) 105 (14) 101 (15) 94 (22) 226 (54) 158 (34) 184 (52)\nOverall IV Half-life (T1/2) of VRC07-523LS\nHalf-life (T1/2) is the time required for half of the drug to be elimi...\nHalf-life (T1/2) is the time required for half of the drug to be eliminated from the serum.\nGroups 1, 2, 4, and 5: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1-4 and 8 post infusion; Group 3: Pre-injection (baseline) and 24, 48, 72 hours post injection, and Weeks 1-4 and 8 post injection; Group 6, Dose 1: Pre-injection (baseline) and 24, 48, and 72 hours post injection, followed by Weeks 1, 2, 4 and 8 post injection; Group 7, Dose 1: Pre-infusion (baseline), end of infusion (0h) and 1, 3, 6, 24 and 48 hours post infusion, followed by Weeks 1, 2, 4 and 8 post infusion\nPharmacokinetic (PK) parameters shown for all subjects who received at least one administration of VRC07-523LS. One subject in Group 7 (multiple doses at 20 mg/kg IV) who only received a single dose was analyzed with Group 4 (single dose at 20 mg/kg IV).\n48 (26) 32 (1.1) 45 (5.2) 42 (5.1) 27 (1.8) 38 (12) 36 (6.7) 31 (10) 33 (8.9)\nNumber of Single Dose Subjects Who Produced Anti-Drug Antibodies to VRC07-523LS\nSerum samples collected 4 weeks and 8 weeks after VRC07-523LS administ...\nSerum samples collected 4 weeks and 8 weeks after VRC07-523LS administration\nWeeks 4 and 8 post product administration\nSubjects who received a single dose of VRC07-523LS via SC or IV administration. One subject in Group 7 (multiple doses at 20 mg/kg IV) who only received a single dose was analyzed with Group 4.\nWeek 4: Subjects with Anti-Drug Antibodies\nNumber of Multiple Dose Subjects Who Produced Anti-Drug Antibodies to VRC07-523LS\nSerum samples collected 4 weeks, 28 weeks and 32 weeks after VRC07-523...\nSerum samples collected 4 weeks, 28 weeks and 32 weeks after VRC07-523LS administration\nWeeks 4, 28 and 32 after the first product administration\nSubjects who received multiple doses of VRC07-523LS via SC or IV administration. One subject in Group 7 who only received a single dose was not included in this analysis but was analyzed with Group 4 (single dose at 20 mg/kg IV).\nWeek 28: Subjects with Anti-Drug Antibodies\nTime Frame Solicited adverse events (AEs) included systemic AEs reported by subjects at the worst severity through 3 days post any product administration; and local administration site AEs reported for subjects at the worst severity through 7 days post any product administration. Unsolicited AEs were reported from the date of product administration through 56 days thereafter, and new chronic medical conditions and SAEs with onset any time following the date of last product administration through 24 weeks.\nAdverse Event Reporting Description Solicited AEs collected through systematic assessment and unsolicited AEs collected through non-systematic assessment represent the number and percentage of subjects reporting the event. A subject with multiple experiences of the same event is counted once using the event of worst severity.\nArm/Group Title Group 1: 1 mg/kg IV Single Dose Group 2: 5 mg/kg IV Single Dose Group 4: 20 mg/kg IV Single Dose Group 5: 40 mg/kg IV Single Dose Group 7: 20 mg/kg IV Multiple Doses Group 3: 5 mg/kg SC Single Dose Group 6: 5 mg/kg SC Multiple Doses\nArm/Group Description Group 1 subjects received a single ... Group 2 subjects received a single ... Group 4 subjects received a single ... Group 5 subjects received a single ... Group 7 subjects received an IV inf... Group 3 subjects received a single ... Group 6 subjects received a SC inje...\nAll-Cause Mortality\nGroup 1: 1 mg/kg IV Single Dose Group 2: 5 mg/kg IV Single Dose Group 4: 20 mg/kg IV Single Dose Group 5: 40 mg/kg IV Single Dose Group 7: 20 mg/kg IV Multiple Doses Group 3: 5 mg/kg SC Single Dose Group 6: 5 mg/kg SC Multiple Doses\nAffected / at Risk (%) Affected / at Risk (%) Affected / at Risk (%) Affected / at Risk (%) Affected / at Risk (%) Affected / at Risk (%) Affected / at Risk (%)\nTotal 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 0/5 (0.00%)\nSerious Adverse Events Serious Adverse Events\nOther (Not Including Serious) Adverse Events Other (Not Including Serious) Adverse Events\nFrequency Threshold for Reporting Other Adverse Events 5%\nTotal 2/3 (66.67%) 2/3 (66.67%) 1/3 (33.33%) 2/3 (66.67%) 5/5 (100.00%) 2/3 (66.67%) 5/5 (100.00%)\nAbdominal pain * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nGastritis * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nHaemorrhoids * 1 1/3 (33.33%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 0/5 (0.00%)\nNausea * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nNausea † 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nGeneral disorders\nAdministration site pain/tenderness † 1 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 0/3 (0.00%) 0/5 (0.00%) 1/3 (33.33%) 3/5 (60.00%)\nAdministration site bruise † 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nAdministration site erythema † 1 [1] 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nMalaise † 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 2/5 (40.00%) 0/3 (0.00%) 3/5 (60.00%)\nChills † 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 1/5 (20.00%) 0/3 (0.00%) 1/5 (20.00%)\nPyrexia † 1 [2] 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nHepatobiliary disorders\nDrug-induced liver injury * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nInfections and infestations\nPharyngitis * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nUpper respiratory tract infection * 1 0/3 (0.00%) 1/3 (33.33%) 0/3 (0.00%) 0/3 (0.00%) 2/5 (40.00%) 0/3 (0.00%) 3/5 (60.00%)\nViral infection * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 0/5 (0.00%) 0/3 (0.00%) 0/5 (0.00%)\nArthropod sting * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nInfusion related reaction * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nMuscle strain * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 2/5 (40.00%) 0/3 (0.00%) 0/5 (0.00%)\nSkin abrasion * 1 1/3 (33.33%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 0/5 (0.00%)\nBlood creatinine increased * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nHepatic enzyme increased * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nHyperglycaemia * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 1/3 (33.33%) 1/5 (20.00%)\nHypernatraemia * 1 1/3 (33.33%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 3/5 (60.00%) 0/3 (0.00%) 2/5 (40.00%)\nArthralgia * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nFemoroacetabular impingement * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nMyalgia † 1 0/3 (0.00%) 1/3 (33.33%) 0/3 (0.00%) 1/3 (33.33%) 1/5 (20.00%) 0/3 (0.00%) 2/5 (40.00%)\nArthralgia † 1 [3] 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 1/5 (20.00%) 0/3 (0.00%) 2/5 (40.00%)\nDizziness * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nParaesthesia * 1 1/3 (33.33%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 0/5 (0.00%)\nHeadache † 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/3 (33.33%) 1/5 (20.00%) 0/3 (0.00%) 3/5 (60.00%)\nRenal and urinary disorders\nDysuria * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nProteinuria * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nReproductive system and breast disorders\nBreast tenderness * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/5 (0.00%) 0/3 (0.00%) 1/5 (20.00%)\nVascular disorders\nHypertension * 1 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 0/3 (0.00%) 1/5 (20.00%) 0/3 (0.00%) 0/5 (0.00%)\nTerm from vocabulary, MedDRA 21.1\nIndicates events were collected by non-systematic assessment\nIndicates events were collected by systematic assessment\nTemperature (Fever)\nLimitations and Caveats\n[Not Specified]\nCertain Agreements\nAll Principal Investigators ARE employed by the organization sponsoring the study.\nResults Point of Contact\nLayout table for Results Point of Contact information\nName/Title: Martin Gaudinski, MD\nOrganization: Vaccine Research Center, National Institute of Allergy and Infectious Diseases, National Institutes of Health\nEMail: [email protected]\nPublications of Results:\nGaudinski MR, Houser KV, Doria-Rose NA, Chen GL, Rothwell RSS, Berkowitz N, Costner P, Holman LA, Gordon IJ, Hendel CS, Kaltovich F, Conan-Cibotti M, Gomez Lorenzo M, Carter C, Sitar S, Carlton K, Gall J, Laurencot C, Lin BC, Bailer RT, McDermott AB, Ko SY, Pegu A, Kwon YD, Kwong PD, Namboodiri AM, Pandey JP, Schwartz R, Arnold F, Hu Z, Zhang L, Huang Y, Koup RA, Capparelli EV, Graham BS, Mascola JR, Ledgerwood JE; VRC 605 study team. Safety and pharmacokinetics of broadly neutralising human monoclonal antibody VRC07-523LS in healthy adults: a phase 1 dose-escalation clinical trial. Lancet HIV. 2019 Oct;6(10):e667-e679. doi: 10.1016/S2352-3018(19)30181-X. Epub 2019 Aug 28.\nOther Publications:\nRudicell RS, Kwon YD, Ko SY, Pegu A, Louder MK, Georgiev IS, Wu X, Zhu J, Boyington JC, Chen X, Shi W, Yang ZY, Doria-Rose NA, McKee K, O'Dell S, Schmidt SD, Chuang GY, Druz A, Soto C, Yang Y, Zhang B, Zhou T, Todd JP, Lloyd KE, Eudailey J, Roberts KE, Donald BR, Bailer RT, Ledgerwood J; NISC Comparative Sequencing Program, Mullikin JC, Shapiro L, Koup RA, Graham BS, Nason MC, Connors M, Haynes BF, Rao SS, Roederer M, Kwong PD, Mascola JR, Nabel GJ. Enhanced potency of a broadly neutralizing HIV-1 antibody in vitro improves protection against lentiviral infection in vivo. J Virol. 2014 Nov;88(21):12669-82. doi: 10.1128/JVI.02213-14. Epub 2014 Aug 20.\nWu X, Yang ZY, Li Y, Hogerkorp CM, Schief WR, Seaman MS, Zhou T, Schmidt SD, Wu L, Xu L, Longo NS, McKee K, O'Dell S, Louder MK, Wycuff DL, Feng Y, Nason M, Doria-Rose N, Connors M, Kwong PD, Roederer M, Wyatt RT, Nabel GJ, Mascola JR. Rational design of envelope identifies broadly neutralizing human monoclonal antibodies to HIV-1. Science. 2010 Aug 13;329(5993):856-61. doi: 10.1126/science.1187659. Epub 2010 Jul 8.\nResponsible Party: National Institutes of Health Clinical Center (CC) ( National Institute of Allergy and Infectious Diseases (NIAID) )\nOther Study ID Numbers: 170030\n17-I-0030 ( Other Identifier: NIH )\nFirst Submitted: January 6, 2017\nFirst Posted: January 9, 2017\nResults First Submitted: June 3, 2019\nResults First Posted: July 11, 2019\nLast Update Posted: October 26, 2020" |
"BLYC Sailing & Boating Log Posts\nIceboating\nJanuary 21, 2022 January 21, 2022 by BLYC\nIt's that time of year…. WINTER!\nYea, yea, most of the time boaters don't really find winter appealing. But sailors…. that's a different story. Not only do many sailors also ski, but sometimes winter also affords one of the most exciting disciplines in the sport – ICEBOATING!\nTypically, its hit or miss at Buckeye Lake whether or not we'll get the right conditions for iceboating. Not only do you need good, thick ice (safety first!), but in order to go well, you also need smooth ice. However, for our friends up north at the Toledo Ice Yacht Club and the intrepid year-round residents at Put-in-Bay, iceboating is a regular activity in the winter. both Maumee Bay and the inner harbor on South Bass Island currently have good, smooth ice and they're taking advantage of the opportunity. Here are a couple of videos of Tom Thanasiu – a year-round PIB resident familiar to many of us at BLYC – sailing his DN iceboat at Put-in-Bay…\nWill We Get Good Ice at Buckeye Lake?\nIt remains to be seen, but the latest ice reports from Doug Stewart suggest that we just might get good, solid ice this year. Whether or not it'll have a smooth surface to sail, however, remains to be seen. But we can be ready!. Chuck Bendig has an Arrow iceboat, both Don & Steve Harris each have DN iceboats, and there are a few more scattered around the lake.\nTime to get the boats out, sharpen the blades and be prepared to get out on the ice?\nIceboating has been a part of life at BLYC since the early days. CLICK HERE for an article on the history of iceboating at BLYC by P/C Harris.\nCategories SLOG\nWhy We Have Safety Regulations in Sailing…\nDecember 31, 2021 by BLYC\n– Steve Harris, NRO\nThe Rolex Sydney Hobart Yacht Race is an annual event hosted by the Cruising Yacht Club of Australia, starting in Sydney, New South Wales, on Boxing Day and finishing in Hobart, Tasmania. The race distance is approximately 630 nautical miles (1,170 km). The race is run in conjunction with the Royal Yacht Club of Tasmania, and is widely considered to be one of the most difficult yacht races in the world. (from Wikipedia)\nAs usual, the sailing world was following the progress of the annual event online as Ichi Ban, Celestial, and Quest were in a neck and neck race for line honors in the final hours. Quest eventually dropped back, leaving a neck-and-next race to the finish between the remaining two – after 4+ days of racing. This year's race was particularly difficult. The sea conditions were very rough and over 1/3 of the fleet had dropped by the end of the first 24 hours.\nEver since the disaster in the 1979 Fastnet Race, in which 75 boats capsized, 5 sunk, and 15 sailors lost their lives, there has been an ever increasing focus on safety in sailing – especially for offshore racing. The Sydney-Hobart is no exception.\nLocally, most of us are familiar with the safety equipment that ODNR requires us to have on board. However, for \"big water\" races, most often the US Safety Equipment Requirements are also invoked, requiring further specialized equipment and training. At the level of the Sydney-Hobart, there are similar requirements, and these are rather extensive.\nOne such requirement that is actually also common at all levels, including inland racing, is the requirement to carry and monitor a VHF radio for emergencies. While not too long ago considered by many to be \"unfair\" communications, now it is common for Notices of Race and Sailing Instructions to include an instruction requiring boats to both carry and monitor radio communications at all times. Often, these instructions also include a requirement for checking in with the race committee and notifying them of a boat retiring. This very type of instruction has made for an interesting, although somewhat controversial end to this year's Sydney-Hobart…\nFrom Sailing Scuttlebutt (12/29)…\nAt the top of the standings today as of 4:30am AET is the TP52 Celestial owned by Sam Haynes, with Matt Allen's Botin 52 corrected next by three minutes. But a protest by Allen against Haynes, along with a Race Committee protest against Haynes, may trump what occurred on the course…\nBoth protests refer to Rolex Sydney Hobart Yacht Race Sailing Instructions 31.4 which states: 'All boats shall maintain a continuous listening watch on VHF Channel 16 for the duration of their race.\nThe protests were heard together by an International Jury on December 30 and the committee found against Celestial, penalizing her 40 minutes on elapsed time and, thus, giving the win to Ichi Ban. The facts found by the Jury were as follows:\nThe wind was at 7-15 knots.\nAt 23.53 on 27 December 2021, the Race Committee received a telephone call from Australian Maritime Safety Authority (AMSA) Search and Rescue notifying the Race Committee that a Personal Locator Beacon (PLB) assigned to Wulf Wilkens, a crew member on Celestial, was activated.\nAt 23.56, the Race Committee commenced attempting to contact Celestial on the satellite phone listed in their Sat Phone Declaration and received a \"call could not be connected\" error. The Race Committee continued to attempt to contact Celestial by Satellite Phone during the incident.\nAt approximately 23.58 the Race Committee contacted Ichi Ban by satellite phone because they were the nearest boat and within 7 to 10 nm from Celestial. The Race Committee requested Ichi Ban contact Celestial on VHF 16 to clarify whether all were safe on board.\nIchi Ban commenced calling Celestial on VHF 16 at 23.58 and received no response, approximately every 2 minutes for 7 minutes.\nFrom 0007, Ichi Ban continued to attempt to contact Celestial at least every 5 minutes on VHF 16 as requested by the Race Committee.\nThe Race Committee was in frequent contact with AMSA throughout the incident in relation to the decision whether to deploy search and rescue aircraft from Essendon Airport, Victoria.\nQuest, who heard Ichi Ban's VHF radio call to Celestial, also attempted to contact Celestial on VHF 16 but no response was received.\nAt 0057, following the Race Committee advising AMSA and in agreement with the Race Committee, Ichi Ban released a handheld white flare to attract Celestial's attention, but did not receive a response.\nAt approximately 0120, following permission from AMSA and approval by the Race Committee, Ichi Ban released a red parachute flare in an attempt to attract Celestial's attention.\nAt approximately 0130 Celestial contacted Ichi Ban on VHF 16 using the navigator's handheld VHF radio on deck. Ichi Ban informed Celestial that the reason for the red flare was to attract Celestial's attention at the request of the Race Committee due to the activated PLB.\nCelestial confirmed the PLB activation was accidental, and all crew were safe.\nCelestial deactivated the PLB.\nAt 0139 Celestial sent a text message to the Race Committee through their satellite phone to confirm the PLB activation was accidental, and all crew were safe. An attempted satellite call failed.\nThe Race Committee informed AMSA, enabling the search and rescue aircraft on standby to be stood down.\nCelestial's installed VHF radio was located on the port bulkhead near the mast, with a repeated to the navigation station. The radio was new in 2021.\nOn the morning of the race start, the navigator tested the installed VHF radio and found it to be working satisfactorily.\nAt all times during the incident, the VHF radio was turned on as indicated by power light and backlight illuminating channel 16 with volume turned up at the navigation station.\nTwo additional handheld VHF radios were on board Celestial but not turned on during the incident until Celestial sighted the red flare. The navigator's handheld radio was then turned on and used to contact Ichi Ban.\nDuring the incident, Celestial's crew were fatigued.\nThe Celestial navigator was seated at the navigation station for approximately 97% of the race time.\nDuring the incident, Celestial's engine and water maker were both turned on, which created significant noise below deck.\nCelestial did not hear any attempts to contact her on VHF during the incident.\nAt other times in the race, Celestial heard Ichi Ban and other marine traffic using her installed VHF radio.\nThe distance between Ichi Ban and Celestial did not significantly change throughout the incident duration.\nTwelve other PLBs were accidentally activated during the race, and in each case the boat responded to the Race Committee within 25 minutes (average response time is 15 minutes).\nAt all times Ichi Ban continued to race the boat and did not alter course as a result of the incident, however Ichi Ban did prepare and deploy two flares which temporarily affected her performance.\nSo, what does all this mean?\nEssentially, Celestial, while likely not purposely, violated the sailing instruction requiring them to \"maintain a continuous listening watch\" on the radio. While the penalty they received cost them the win, it could have been worse. Some commenting online think that the penalty they received, however, was still too harsh. Was it? In all reality, they could have been disqualified…\nWhat if the PLB wasn't accidentally activated? What if someone was truly in danger and the race committee failed to act on the alert?\nEven though it was an accidental activation, what if the RC marshalled all the rescue resources, putting the rescuers in potential danger for a \"false alarm?\"\nWhile it may seem harsh to some, safety regulations such as this one exist for a reason. Safety cannot be secondary to winning. Sure, it would be a hard pill to swallow to lose a well fought race in the protest room for what is little more than an \"accident.\" That said, in my opinion, its better to have such regulations – and to have them strictly enforced – than to have someone lose their life on the water. (Read the full article about the protest from Sailing Scuttlebutt here)\nAs of today – December 31 – Celestial has filed a Request to Reopen the hearing. Perhaps they have new information and evidence available. Perhaps they're just \"grasping at straws\" and holding out hope that another panel may see it differently. I personally doubt that will be the case.\nEither way, the saga continues…\nRRS – Part III; Post #9 – \"Grab Bag\" 1\nOften, we focus our rules discussions only on Part 2 of the rules – \"When Boats Meet.\" This winter, I plan to explore the rules of Part 3 – \"Conduct of a Race.\" They may appear to only matter to the Race Committee, but they have significant importance to the racing sailor too.\n– Steve Harris, US Sailing National Race Officer\nRules 27 & 31...\nThis is more of a \"grab bag\" of other rules in Part 3. Each of their own importance, but not necessarily long enough for their own post. They have consequences for racing sailors but, generally, don't require a long discussion.\nRule 27 - Other Race Committee Actions Before the Starting Signal\n27.1 – \"No later than the warning signal, the race committee shall signal or otherwise designate the course to be sailed if the sailing instructions have not stated the course, and it may replace one course signal with another and signal that wearing personal flotation devices is required (display flag Y with one sound).\"\n27.2 – \"No later than the preparatory signal, the race committee may move a starting mark.\"\n27.3 – \"Before the starting signal, the race committee may for any reason postpone (display flag AP, AP over H, or AP over A, with two sounds) or abandon the race (display flag N over H, or N over A, with three sounds)\"\nWhat's this rule saying?\nSimply put, these are directives to the race committee. These are both things that they must do, and items that they can do.\nThis part of the rule contains a number of points…\nThe first is proscriptive… \"the race committee shall signal or otherwise designate the course…\"\nThis is probably common sense – different courses may require different strategies in how you would sail them. During the starting sequence, there's too much going on to have to look for another signal.\nThe second part, most sailors (and race officers, for that matter) find confusing. What is a \"course signal?\" Certainly, the race committee cannot change the descriptions of the marks or other items described in the sailing instructions on the water – there is a very specific protocol for doing that.\na \"course signal\" (although not defined in the RRS) is a signal that says what course is to be sailed. In other words…\nIn a multi-fleet regatta with multiple starts, the RC can start one fleet on one course and then \"no later than the warning signal\" designate a different course for the next fleet.\nIt also allows the race committee to change their mind. Perhaps they initially decided on a particular course but, for a variety of possible reasons – several general recalls, a long postponement, a change in conditions, etc. – they decide instead to start the fleet on a different course. They have that flexibility so long as it is signaled \"no later than the warning signal.\"\nThe final part is pretty straightforward. It simply provides a time by which Rule 40 can be invoked. Rule 40 is the rule requiring competitors to wear personal floatation devices. It makes sense that this signal needs to be given with ample time for the competitors to comply.\nThis rule simply prescribes a time by which the starting marks must be in place. Obviously, boats cannot start, or set up their start, without knowing the location of the line. Why the Preparatory Signal (4 min. pre-start)? I'm not sure there's a great answer other than perhaps this…. Especially in varying wind conditions, the RC needs the capability to quickly set the line and go immediately into sequence to get a fair start off. By making this time at the preparatory signal, they can do so and reliably know that the mark will have settled into place in its final location by the required time.\nThis part of the rule is permissive. I'm sure that at some time in the past there were redress requests that led to this being put into the rulebook , but basically, it makes it clear that the RC has the ability to call off a race, for any reason, before the start. After the start, they can no longer postpone and they can only abandon for reasons allowed under rule 32.\nRule 31 - Touching a Mark\n\"While racing, a boat shall not touch a starting mark before starting, a mark that begins, bounds or ends the leg of the course on which she is sailing, or a finishing mark after finishing .\"\nThis rule is, for the most part, pretty straightforward. IF the mark is part of the leg on which you are sailing, don't touch it. This would also include start and finish marks. That's where it gets kinda hairy…\nBefore we get into that, however, what does it mean to \"touch\" a \"mark?\"\nDefinition of \"Mark\"\n\"An object the sailing instructions require a boat to leave on a specified side, a race committee boat surrounded by navigable water from which the starting or finishing line extends, and an object intentionally attached to the object or vessel. However, an anchor line is not part of the mark.\"\nThis definition may seem a bit lengthy for what we might typically think the definition should be. In particular, what does \"an object intentionally attached to the object or vessel\" refer to?\nOften, race committees will stream a mark off the stern of the committee boat at one end of the start line. This is often called a \"limit mark\" or \"keep away mark.\" The intent is to keep boats starting from getting too close to the committee boat and potentially colliding with it. Since such marks are intentionally attached, to the vessel, they are, by rule, part of the mark and you cannot touch it.\nBut what constitutes \"touching\" the mark?\nIn several World Sailing cases, it has been established that \"contact with a mark by a boat's equipment constitutes touching it.\" This would include contact by any part of the hull, crew, or equipment – essentially, any contact is contact. The one exception is that the anchor line is not part of the mark. So, for example, your rudder catches the anchor line as you round the windward mark. In reality, we all know that it is then likely that the mark would be pulled over and touch the hull, therefore being contact with the mark. However, if you were able to clear that line before the mark was pulled over and contacted the hull, you would not have violated the rule.\nNOW… finishing creates a unique circumstance. Although the definition of mark is the same throughout the race, two more definitions come into play at the finish – finish and racing…\nDefinition of \"Racing\"\n\"A boat is racing from her preparatory signal until she finishes and clears the finishing line and marks…\"\nDefinition of \"Finish\"\n\"A boat finishes when any part…crosses the finishing line from the course side. However, she has not finished if after crossing the finish line she… corrects an error in sailing the course…\"\nIf you recall Post #5 in this series – Rule 28; Sailing the Course – I mentioned this situation and that it would require a longer discussion…\nHitting a finish mark presents a unique situation. If we look at the definition of finish, we see that a boat finishes when any part of her hull crosses the finish line from the course side. However, looking at the definition of racing, she has to \"clear the finishing line and marks\" before she can be considered as no longer racing. In other words, until she has cleared the finishing line and marks, she is still subject to the rules, including Rule 31.\nConsider the following situation…\nIn the diagram above, Boat B has met the definition of finish in that her hull crossed the line from the course side of the line. However, after crossing, she made contact with the finish mark. Since she clearly has not \"cleared the finishing line and marks,\" she is still racing, is subject to, and has violated Rule 31.\nWhat would the race committee do in this situation?\nThe proper action of the RC would be to score her finish position – at this point, she has met the definition of finish. However, they may strongly consider protesting her under Rule 31. The RC can't simply \"unfinish\" her, a protest would be required.\nWhat should the competitor do?\nAs she has broken Rule 31, she should do a one-turn penalty and cross the finishing line again from the course side. Under the definition of finish, she has \"correct(ed) an error in sailing the course and no longer meets the definition of finish.\nAt this point, she has met her obligation of making a one-turn penalty and no longer subject to protest. By doing so, she also has met the definition of finish. The RC will record this finish as well. As common practice, when a boat crosses the finishing line multiple times from the course side, good race committees will assign the lower of the scores. If the reason for multiple \"finishes\" is as described above, they have done it correctly. If there is some other reason, the competitor is sure to submit a scoring inquiry after scores are posted and it can be sorted out then.\nNext Week - Part 3 \"Grab Bag\" - 2\n... Rules 34 & 35\nRRS – Part III; Post #8 – Rule 33\nRule 33 - Changing the Next Leg of the Course\n\"While boats are racing, the race committee may change a leg of the course that begins at a rounding mark or at a gate by changing the position of the next mark (or the finishing line) and signalling all boats before they begin the leg. The next mark need not be in position at that time.\nIf the direction of the leg will be changed, the signal shall be the display of flag C with repetitive sounds and one or both of\nthe new compass bearing or\na green triangle for a change to starboard or a red rectangle for a change to port.\nIf the length of the leg will be changed, the signal shall be the display of flag C with repetitive sounds and a '–' if the length will be decreased or a '+' if it will be increased.\nSubsequent legs may be changed without further signalling to maintain the course shape.\"\nAlthough a bit lengthy, this rule is actually pretty straightforward. To ensure that we're all using the same language, recall the post on RRS 32 about Shortening the Course…\nShortening the course is the elimination of legs of the course. This is part of RRS 32.\nWhat this rule (RRS 33) speaks to is Changing the course. This sometimes creates confusion, as we discussed in Post #7. But, if you remember \"C is for Change,\" you'll be fine with this rule.\nCode Flag \"Charlie\"\"\nKeep in mind, the racing rules are written in such a way as to give the race committee tools that allow them to save a race. Lots of things happen on a race course that have the potential to make it less than ideal…\nWind shifts make the course less than fair\nChanges in wind velocity make it desirable to change the length of the course.\nChanges in wind velocity make it unlikely that any boat will finish within the time limit.\nImpending safety concerns (foul weather, heavy seas, etc.) make it desirable to shorten the overall time the boats are going to be on the water\nRule 33 makes it possible for the race committee to adjust to these changes and keep the racing fair, safe, and competitive.\nLet's look first at changing the direction to the next mark…\nIn the case of a wind shift, the course becomes less square and inherently less fair. Often, you'll hear the argument \"We've all got to sail in the same wind\" as a reason not to move a mark and change it's location. The problem is, not all boats in the fleet are truly in the same wind when the course isn't square! Depending where you are on the course when the shift happens, some boats will be benefitted by a lift and others will be hampered by a header… and perhaps significantly so. Additionally, the tactically sailable area is also significantly reduced.\nIn order to maintain the best tacking angle upwind, the area in which boats can tactically sail in is significantly reduced.\nAssuming an upwind tacking angle of 90°…\n0°\nTIME ON\nFAVORED TACK\nSAILING AREA\nIt gets even worse downwind…\nAssuming a downwind gybing angle of 50°…\nThe effective sailing area reduces much quicker with less of a shift!\nIf the race committee doesn't change the course, it's hard to call it a fair, tactical, and competitive race. Changes are critical to making races competitive!\nThe difficulty for the race committee is knowing when to make a change. It's easy to get drawn into trying too hard to make it \"perfect,\" and changing when a shift is just an oscillation. But its important to change when necessary. Now you know why sometimes race officers are so uptight & tense! LOL\nSo… how is a change signaled?\nThe important part to be able to recognize is the display of the flag, C, with repetitive sounds. Direction of the change is likely apparent, however the race committee is required to signal it.\nGenerally, the change will be signaled by a mark boat, near the mark previous to the one being changed. Unlike the shorten course signal (RRS 32), a change must be signaled before any boat sails the new leg of the course.\nThe race committee has two options:\nThey can display the compass bearing to the new mark:\nCredit - Wolverine One-Design Management\nThey can signal a change to starboard (right as one looks towards the next mark) with a green triangle…\nCredit - racingrulesofsailing.org\n… or a change to port (left as one looks towards the next mark) with a red rectangle\nThe race committee can also change the length of the next leg…\nb. If the length of the leg will be changed, the signal shall be the display of flag C with repetitive sounds and a '–' if the length will be decreased or a '+' if it will be increased.\nSo the race committee can change both the direction and the distance of the next leg of the course. Pay close attention to the signals being made. This affords them a great deal of flexibility in maintaining a competitive race course for the sailors.\nLet's look at one of our courses at BLYC…\nThis course, Course \"E,\" is a typical triangle-windward-leeward course –\nS – 1 – 2 – 3 – 1 – 3 – F\nAssume a significant windshift to the left makes it desirable to change the position of Mark 1 on the second windward leg.\nThe race committee will signal the change at mark 3 (before any boat begins the leg). They will hoist Code Flag \"Charlie\" with repetitive sounds and a red rectangle.\nNOTE: The new mark need not be in the water yet. The signal tells you that a change is being made. By the rules, the mark doesn't need to be there until boats are there to round it. Ideally, the race committee gets it into position well before any boat is approaching, but the rules give them a lot of leeway in making the change. Remember – the purpose is to \"save\" the race and keep it competitive.\nYou would now sail to the \"new\" mark – ideally it is of a different color and/or shape (this would be described in the SIs), although that is not always the case.\nNotice that, to maintain the same course angles, the race committee should also move Mark 3 and change the angle of the finish line. Sometimes with short course racing, this isn't always practical if the fleet is spread out, but, ideally, that would be the proper thing to do.\nNotice, however, that this subsequent \"change\" is not signaled…\nc. Subsequent legs may be changed without further signalling to maintain the course shape.\"\nOnce the first change is signaled, subsequent changes do not have to be signaled. In other words, you should assume that subsequent legs are likely to be changed. The race committee is free to do so without tying up valuable resources signaling at each mark.\nIf a separate \"change mark\" is being used for the primary change, it is entirely possible that subsequent \"changes\" will not utilize these change marks. More than likely, the existing marks will be relocated to their adjusted positions if possible. \"Change Marks\" are not addressed specifically in the rules and there is not one standard practice used in this situation.\nHow much of a shift will initiate a change?\nIt depends…\nOk, not the best answer, but an accurate one. In some venues, the wind blows steady and at pretty much the same velocity and direction at the same time every day. Buckeye Lake is NOT one of those venues! In those places, particularly for \"high level\" events, a change of 10-15 degrees might be enough for the race committee to change the angle of the next leg. In places that are known for more shifty winds (like most of our region), that threshold is typically higher.\nKnowing when to make a change is, very often, more of an art than it is a science. A good Race Officer knows the venue and has a good \"feel\" for local conditions (or, if visiting, has someone on board the RC boat who does.) One thing that seems to be a truism in race management is that any change will be greeted with both support and criticism. That's the nature of things and perfectly understandable. Just as with most things rules-related though, I always remember George Fisher's admonishment regarding the rules… \"Don't let one incident ruin your whole race.\" The race committee may signal a change you think was unnecessary (maybe you were on the \"lifted\" side of the course and had gained an advantage.) Trust that they made the change for good reason, sail the course and keep sailing your race. Once signaled, right or wrong, that is the course you have to sail according to the rules.\nIs it ever required for the race committee to change course?\nTypically no…\nGenerall speaking, the rules of Part 3 are permissive rather than proscriptive. That is they allow the race committee options but, generally, they seldom require them to exercise those options. In the case of this rule, the decision is that of the race committee – \"…may change a leg of the course…\" The procedures to do so, however, are proscriptive – \"… the signal shall be…\"\nSometimes Sailing Instructions or Class Rules might give specific directions on changing course. Although, in my experience, I've found that, more often than not, they restrict the ability to change and proscribe abandonment instead. (rather than direct the RC when to make a change)\nNext Week - Part 3 \"Grab Bag\"\n... Rules 27, 31, 34, & 35\n2022 Cleveland Boat Show\nDecember 30, 2021 December 11, 2021 by BLYC\nAre You Going to the 2022 Cleveland Boat Show?\nThe 2022 Show has been POSTPONED to March 17-22, 2022\nThe Cleveland Boat Show at the IX Center will return to full, normal operation this year.\nOne of the largest indoor boat shows in the United States – One Million square feet of displays – this year, the Show is offering a $2 discount on admission to members of all I-LYA Clubs.\nUse the promo code ILYA when buying your tickets online.\nClick on the image above to visit the Boat Show website\nCategories BLYC, SLOG\nRRS – Part III; Post #7 – Rule 32 (con't)\nDecember 8, 2021 by BLYC\nRule 32 - Shortening or Abandoning After the Start\nLast week, we discussed the \"abandoning\" part of this rule. This week, we'll look at how the Race Committee can shorten the course under this rule. If you didn't read last week's post, you can click here to do so.\nLet's look at the text of the rule…\nNOTE – Rule 32 only applies after the start. Rule 27.3 allows the race committee to abandon before the start for any reason.\n\"After the starting signal, the race committee may shorten the course (display flag S with two sounds) or abandon the race (display flag N, N over H, or N over A, with three sounds)\nbecause of foul weather,\nbecause of insufficient wind making it unlikely that any boat will finish within the race time limit,\nbecause a mark is missing or out of position, or\nfor any other reason directly affecting the safety or fairness of the competition,\nIn addition, the race committee may shorten the course so that other scheduled races can be sailed, or abandon the race because of an error in the starting procedure. However, after one boat has started, sailed the course and finished within the race time limit, if any, the race committee shall not abandon the race without considering the consequences for all boats in the race or series.\"\n\"If the race committee signals a shortened course (displays flag S with two sounds), the finishing line shall be,\nat a rounding mark, between the mark and a staff displaying flag S;\na line the course requires boats to cross; or\nat a gate, between the gate marks.\"\nThe reasons that the RC can shorten the course are, essentially the same as those for which they can abandon. There are some key differences, however. Additionally, Rule 32.2 provides specific guidance on how the course is shortened.\nI won't delve into the enumerated reasons for shortening under 32.1 as those were discussed in detail last week. However, Rule 32.1 also provides the following:\n\"In addition, the race committee may shorten the course so that other scheduled races can be sailed…\"\nThe reasons for this additional directive may not seem readily apparent. But, simply put, there are often reasons to get more races in:\nMost often, becuase the SIs require a minimum number of races – greater than 1 – to count as a series.\nSometimes, in a very competitive event, when scores are \"tight,\" it may be advisable to have more races rather than less, to give all competitors the greatest chance of finishing well over all. (i.e., keep the competition on the water, not in the hands of the race or protest committees)\nGenerally, its felt that \"saving the race\" is a better option that abandoning. It's no fun spending a lot of time fighting for a good finish to have the race committee \"throw the race away.\"\nThat said, race officers are advised in their training to carefully consider all factors when making the decision to shorten. Generally, course selection involves a number of good, well though out factors and changing that configuration \"on the fly\" by eliminating one or more legs may be counter to those reasons. But, the rule does provide race committees with that flexibility nonetheless.\nWhat does it mean to \"Shorten the Course?\"\nThis is actually a point of confusion for many competitors and race committees alike. Intuitively, \"shortening\" implies keeping the course the same – same configuration, same number of legs & rounding marks, etc. – but making the distance less. That is not the case here.\nShortening the course is the elimination of legs of the course. What is described above is covered in RRS 33 – Changing the Next Leg of the Course (emphasis added).\nLet's look again at one of our \"typical\" courses at BLYC…\nUnder normal circumstances, sailing this course would entail the following (in order):\nRounding Mark 1\nRounding Mark 1 again\nBut… what if the wind starts dying off (and quickly) as most boats are rounding Mark 2 to start their 2nd windward leg. Looking at the reasons under which the RC is permitted to shorten…\nIs it likely that the first boat will finish within the time limit?\nIf it is, is it still a fair race?\nIs this race valuable to series (i.e., \"so that other scheduled races can be sailed\")\nIt may, very well, be desirable to try and \"save\" this race by shortening the course at the next mark (Mark 1, 2nd time) by eliminating that last leg to the finish.\nAs a side note… one thing that has become increasingly common in recent years, is race committees utilizing this rule to \"finish closer to home\" at the end of a race. That is, say in our Course C example above, the windward mark (Mark 1) is closer to where the boats are docked or hauled out. Eliminating the final leg finishes them closer to home than having them sail the final leg would. Certainly, it would be better if this was anticipated by the race committee and they chose a different course prior to the race instead, but that is not always feasible. In doing this, however, what part of Rule 32.1 allows this? I would contend that it could be a reason \"… directly affecting the safety or fairness…\" For example,\nDying breeze – s a result of dying breeze, boats will need to be towed in. Towing a boat, even in light breeze and seas, is inherently more dangerous than the boat being sailed (or motored) in under the control of its crew\nImpending severe weather – while perhaps there is time to finish the boats by eliminating a leg, it is questionable whether or not there is time to finish and get the boats back to shore in time.\nLateness of hour – it may be desirable to shorten the race in order to allow all boats to finish before nightfall. Depending on the boats competing, they may or may not have lights and other necessary safety equipment for night sailing.\nHow does the race committee shorten the course?\n\"… the race committee may shorten the course (display flag S with two sounds) …\"\nCode Flag \"Sierra\"\nOne interesting part of the rule is that there is no requirement as to when the flag and sound signal must be made. It only needs to be made in enough time that the first boat approaching the new finish mark (in our example above, the \"old\" Mark 1), sees and hears the signal to finish.\nThis is another frequent point of confusion and misunderstanding for many racing sailors. As we will see later with RRS 33 (Changing the Net Leg of the Course), those signals are made prior to boats sailing the leg. That is not the case with Rule 32 – and, in fact, it is for a very good reason.\nIf the shortening signal (eliminating a leg) was required to be signaled earlier, it may be too soon or not soon enough – think of the reasons to shorten… foul weather, insufficient wind, safety & fairness, etc. These are not things that can always be anticipated. Doing so might result in the signal being made unnecessarily (conditions improve) or, worse yet, leaving the race committee with only one option – abandonment – in the case of severe weather & safety.\nOften, when considering shortening, the race committee will get everything ready, just in case, and the PRO will make the call at the last minute and direct the mark boat to hoist the flag with two sounds as the first boat is nearing the mark. How near? Close enough to see and hear the signals, yet not too close for it to be effective. Like many things with course management, it depends.\nRule 32.2 gives us the guidance on how, specifically this it to be executed. Let's look at these one by one…\n\"1. at a rounding mark, between the mark and a staff displaying flag S;\nThis would be what we described in our Course C example above, the mark boat (or other boat signaling and taking the finishes) would set up such that competitors would finish between Flag S on their boat and the nearby mark.\nAs shown above, this would be the ideal way the mark boat would set up the new line. It would be…\nperpendicular to the course direction from the last mark\nanchored in position\nsuch that a boat rounding the mark as it \"normally\" would, it necessarily crosses the finish line without any need to sail the course differently than planned or intended\nAs this mark was to originally be left to port, they would still be leaving it to port while finishing properly\nHowever, there is no requirement in the rule to meet the above conditions. Again this is an area where the rules give the race committee a great deal of flexibility. Particularly if the course is being shortened for safety concerns, the race committee needs to be free to get things set up as quickly as possible. That may or may not be set up in an \"ideal\" configuration. Note: It is perfectly acceptable and allowed under the rule for the mark boat to set up on the other side of the mark as shown below:\nIn the above situation, how would I finish properly?\nYou would finish according to Rule 32.2(1) – \"…between the mark and a staff displaying flag S\"\nWhile, originally, you would have left Mark 1 to port – it is no longer Mark 1. It is now a finish mark.\nRecall the definition of Finish…\n\"A boat finishes when, after starting, any part of her hull crosses the finishing line from the course side.\"\nIt may be tempting, or even seem necessary, to leave the mark to port (as you originally would have) and round it in order to cross the new finish line. Doing so, however, would be improper. You would be scored as DNF as you didn't cross the line from the course side.\nBefore we look at 32.2(2), lets look ahead at what would happen at a gate…\n\"3. at a gate, between the gate marks.\"\nAlthough for our typical Sunday races we seldom use gates, most of us are familiar with them. Most commonly used for downwind marks, a gate (instead of being a single mark) is composed o two marks, which you pass between, rounding either one.\nIn the race committee signals a shortened course at the gate, rule 32.2 is easy to comply with – sail betwen them as you normally would.\nanchored in position such that they can see both marks in order to judge the line properly\nclose enough to one of the marks that there is no confusion as to how to cross (i.e. there is no temptation to cross between the boat and the mark nearest to it)\nAgain, however, there is no requirement in the rule to meet the above conditions.\n2. \"a line the course requires the boats to cross\"\nAlthough the set-up and execution of 32.2(2) is easy enough to understand (it is, essentially, identical to 32.2(3)), this is often a very confusing part of the rule.\nWhy would there be a line that boats are required to cross that isn't already a gate? In most sailboat racing, such a thing simply doesn't exist.\nI'm not sure that the situation I'm about to describe is what the writers were thinking when this was added, but we have a situation here at BLYC where we have taken advantage of this part of the rule – our Holiday Long Distance Races.\nAs you area aware our start/finish line for these races is usually in front of the race committee shack on the island and is comprised of two marks (rather than a mark and a flag on a boat). In recent years, we've written the SIs for these races such that boats are required to pass through this line on all legs of the course. Many think that this is so we can make the racing more interesting for the holiday spectators at the Club. While that is an advantage for sure, it actually isn't the primary reason that we did it. Statistically speaking it doesn't seem possible, but we almost always have light winds for the Holiday races. By making boats cross the start/finish line on every leg, the race committee has the option to shorten the course at that line. While those races are intended to be distance races. That said, there comes a point that sailing for seemingly hours on end in light air is simply neither fun nor practical.\nThere's a lot that we've unpacked from Rule 32 these past two weeks, but hopefully it's a little more clear now as to how it works and some of its unique nuances.\nNext Week - Rule 33; Changing the Next Leg of the Course\n2022 Ohio Boat & RV Show\nAre You Going to the Ohio Boat & RV Show?\nThe Ohio RV Boat Show at the State Fairgrounds will return to full, normal operation this year.\nJANUARY 7 – 16\nClick on the image above to visit their website and get discount coupons.\nJoin Us at the 2022 I-LYA Sail Regatta\nClick on the icon above to expand the file\nClick here to download directly\nSafety at Sea Seminar\nDecember 7, 2021 December 4, 2021 by BLYC\nThere is a lot of stuff in Rule 32. While shortening a course (eliminating one or more legs) and abandoning are similar, and definitely done for similar reasons, in practice, the two are quite different in how they work on the race course.\nKeep in mind, most of the rules in Part 3 are tools that the race committee can use to keep races fair, safe, and easy to manage. Rule 32 is very valuable in that sense.\nWe'll look only at the abandoning part of the rule this week and dive into shortening the course in the next post.\n\"… the race committee may… abandon the race (display flag N, N over H, or N over A, with three sounds)\"\nLet's start with how an abandonment is signaled.\nIf we look at the \"Race Signals\" section of the Racing Rules of Sailing, we find that Flag N is used to signal that the race is abandoned.\nCode Flag \"November\"\nThe N Flag always goes up with three sound signals.\nIn fact, it is the only signal with three sounds. As the name, abandonment, suggests, the race is over. For whatever reason, the race committee has decided to end the race.\nAlthough the sound signal is always the same, we have three options on the visual signal.\nBy itself, the N-Flag means the race is abandoned and the race committee intends to resail the race. – return to the starting area.\nIf N is displayed over the H-Flag, the race is abandoned and boats are to return to shore for further signals.\nCode Flag \"Hotel\"\nIf N is displayed over the A-Flag, the race is abandoned and there will be no more racing today.\nCode Flag \"Alpha\"\nRule 32.1 provides us reasons that the Race Committee is permitted to Abandon a race…\n\"… 1. because of foul weather, …\"\nThis is primarily for safety considerations. Foul weather might be an approaching storm, but it also could include high winds or sea state. Either way, if conditions are not favorable, certainly if they are not safe, the race committee may abandon the race.\nThere is frequently some debate on when, and under what conditions the race committee should or even must abandon a race. Note that the rule is permissive, not prescriptive. The racing rules provide no guidance or direction on conditions. It is always the skipper's responsibility to decide whether or not to sail.\n\"The responsibility for a boat's decision to participate in a race or to continue racing is hers alone.\"\nThat noted, there are limits to what is reasonable based on a number of factors – type of boats sailing, experience/age of the competitors, etc. Some one-design classes have very specific upper wind limits and other restrictions in their class rules that provide guidance on this matter. Other times, there is little or none.\n\"… 2. because of insufficient wind making it unlikely that any boat will finish within the race time limit,…\"\nOften, but not always, a time limit written into the Sailing Instructions. Usually, this is a time limit for the first boat to sail the course and finish. When that is the case, absent other scoring provisions in the SIs, the race committee's only choice at the expiration of that time limit is to abandon the race (RRS 35).\nHere is when the shortening part of Rule 32 provides a convenient option, which we will discuss in next week's post.\nNote that the rules don't prescribe that the time limit must expire before the race committee can abandon. The use of the word unlikely gives them the leeway to do so earlier than the time limit if, in their judgment, they determine it to be the best option.\n\"… 3. because a mark is missing or out of position, or…\"\nIn all honestly, this is a horribly unfortunate reason to have to abandon a race. The rules provide the race committee with options to replace a missing or out of position mark. However, we all know that things don't always go the way we plan. There are times, that problems simply cannot be corrected. Given the race committee permission to abandon in this situation, while unfortunate, gives the opportunity to regroup, reset, and try again.\n\"… 4. for any other reason directly affecting the safety or fairness of the competition.\"\nThere are those that might view this part of the rule as very nebulous and (unnecessarily?) generous to the race committee. I'm not sure I would disagree. However, the rules cannot possibly anticipate every situation that may arise. Tying their hands, so to speak, by not allowing them to use their best judgment would likely make a bad situation worse overall rather than help correct it. So… what are examples of reasons that might \"directly affect the safety or fairness?\"\nAn error in the starting procedure\nNormally, in this situation, if the race hadn't started, a postponment would be in order. If the race had started, a general recall would be best.\nHowever, if it had been more than a few seconds since the start, an abandonment is likely the more appropriate option.\nA significant windshift that favors some, but not all, of the fleet – particularly on the first windward leg.\nIt's easy to dismiss windshifts as \"just part of sailboat racing.\" However, doing so can also introduce chance as a significant factor, rather than skill\nAn obstruction in the course\nThis is certainly an area of degree of how much it affects fairness or safety.\nDoes a disabled powerboat in the course affect the fairness of the competition? Possibly.\nDoes a capsized boat affect the fairness? Does it affect safety?\nIn areas with active ports and shipping channels, traffic, particularly commercial traffic can introduce significant safety concerns.\nWhile this type of traffic is typically scheduled and, therefore can be anticipated, things don't always go according to schedule.\nWhat else? The list is probably endless. What is important is that the race committee is considering these and other possibilities and are prepared to act appropriately. Safety and Fairness are PRIMARY responsibilities of the RC.\nWhat do I do if the RC signals an abandonment?\nObviously, stop racing and, depending on what exact abandonment signal was given (N, N over A, or N over H) either return to the starting area or to shore.\nStopping racing is not, however, your only consideration. Most race committees attempt to use all the tools at their disposal to \"save a race\" – shortening, changing the length of a leg, etc. Abandonment is often used as a last resort, and as such, often due to safety concerns. Watch the weather! Look around the course! If you have one, monitor your VHF radio! Is there a safety concern to be aware of and possibly act on?\nThat brings up another rule, new in the 2021-2024 rulebook…\nRule 37 – Search & Rescue Instructions\n\"When the race committee displays flag V with one sound, all boats and official and support vessels shall, if possible, monitor the race committee communication channel for search and rescue instructions\"\nThis is new in the most recent rulebook, but it reflects a renewed focus on safety both on the part of World Sailing and its member National Authorities (e.g., US Sailing). Likely, it is more directed towards \"big boat\" sailing where VHF radios are standard, often required, equipment and they are more likely to be sailing in challenging conditions. Still worth pointing out here as abandonments are often related to safety concerns.\nWe plan on holding a \"Mini\" Safety at Sea Seminar at the Club later this winter focused on safety and safety procedures. It's always good to think ahead about these things.\nFinally… there's this to consider…\n\"… However, after one boat has started, sailed the course and finished within the race time limit, if any, the race committee shall not abandon the race without considering the consequences for all boats in the race or series.\"\nAgain, this seems very vague and nebulous. It's likely intended to be so as well. The Racing Rules of Sailing give Race Committees a wide latitude in decision making – one simply cannot anticipate every possible situation that might occur on a race course. It seems like the rule should read something like this… \"after one boat has sailed the course and finished within the race time limit, if any, the race committee shall not abandon the race.\" On the surface, that seems to be more \"fair.\" (I'm not 100% sure, but I believe in (much) older versions of the rules, it may have been that way. The problem, however, is that it ties the race committee's hands and forces any questions, etc. to go to the Protest Committee and a Redress Hearing – not always the most expeditious option – should the RC still choose to abandon a race after some boats have finished.\nConsider the following examples:\nLate in a race, after some boats have \"started, sailed the course, and finished within the time limit,\" a strong storm blows in over the racing area. Perhaps it was an unexpected pop-up, or it was anticipated, but arrived early. It doesn't really matter. The RC determines that it is unsafe to continue racing for those still on the course and abandons.\nI would think most of us agree that this would be a proper action of the RC, even if it is unfortunate for those who have already finished.\nAfter a race in which there was a significant, permanent wind shift (60°+), the Race Committee \"second guesses\" their decision to let the race continue. They decided that that fact, along with their inaction to preserve the race by changing a leg, or shortening the course, made the race inherently unfair and abandons the race after the fact.\nThe RC is perfectly within their authority in doing so. The rule only requires them to consider the consequences… it doesn't proscribe any specific action that they may or may not take based on that consideration.\nThat said, the better course of action for the Race Committee may have been to \"wait and see.\" If the competitors have an issue with the fairness of the race, they are permitted under Rule 62.1 to request redress based on an \"improper action or omission\" by the race committee. If the competitors don't request redress, but the PRO still feels strongly about the race turning out to be unfair, he or she is permitted under Rule 60.2 to request redress on behalf of the competitors.\nWhile it may seem like a \"cop-out\" to say \"let the Protest Committee make the decision and take the heat,\" it also may be the more prudent choice. RC's aren't always perfect, and good RC's know that and are willing to admit (or at least consider other viewpoints) when they have perhaps made a mistake.\nThese are just two examples (purposely a bit obvious as to the proper action.) There are a lot of \"gray areas\" in making the decision to abandon after the finish. The US Sailing Race Management Handbook offers the following advice to race committees:\n\"Because of the significance of a race committee's decision to abandon a race in which one (or more) competitor has finished, the only justifiable reason for taking such action is safety considerations.\"\nAs there are exceptions to any rule, there are certainly exceptions to this advice as well. But, safety is quite obviously a good reason to abandon a race after some boats have finished. Abandoning after all boats have finished likely should be a function of the Protest Committee such that the determination of \"fairness\" and \"consequences\" is not left to just one person (the PRO), but rather several people who have the knowledge, expertise, and judgment to make a well-informed (even if unpopular) decision.\nNext Week - The rest of Rule 32; Shortening Course after the Start..." |
"Posted inHealth & Fitness, News\nVolvo Ocean Race in Newport: One Year Ago, Two Years Away\nby Ryan Belmore May 5, 2016 Updated March 3, 2021\nVolvo stopover in Newport @ Ft Adams May 7, 2015 Volvo Aerials Photo © Dan Nerney\nSean McNeill also contributed to this story\nIt's hard to believe that it has been exactly one year since the Volvo Ocean Race Newport Stopover Race Village opened at Fort Adams State Park, isn't it? The village opened on May 5th, the boats arrive on May 6th and 7th, the In-Port Race entertained on May 16th and we said goodbye (for now) to the Volvo Ocean Race fleet on May 17th.\nThe Volvo Ocean Race arrived in Newport last May for the first time in the race's 42-year history in a public celebration that lasted for 12 glorious days. After a bitterly cold and snowy winter in New England, the race arrived in early May and brought with it splendid weather that coaxed many race fans out from their winter recess and down to the Race Village at Fort Adams State Park.\nAccording to an economic impact report, the stopover attracted more than 131,000 fans to the Ocean State and the City by the Sea. When those watching from boats or other viewing locations are included, the total increases to more than 147,000. The busiest day at the Race Village was during the In-Port Races on May 16, when 21,920 people visited. More than 40 percent of the attendees were from states other than Rhode Island and more than 10 percent were from foreign countries.\nThe same report concluded that spectators and organizations combined to infuse the Rhode Island economy with $32.2 million by attending and supporting the Volvo Ocean Race. When this initial infusion of money for local businesses was spent and re-spent within the state, the effect led to a total economic impact of $47.7 million.\nThe success of the 2015 Volvo Ocean Race Newport Stopover has many hoping for a more impactful second visit in 2018.\nThe Volvo Ocean Race will return to Newport, R.I. for the Volvo Ocean Race Newport Stopover from May 8th – May 20th, 2018.\nSailors will arrive in Newport from Brazil around May 8th, will host an in-port race on May 19th and the leg start from Newport to Cardiff will take place on May 20th.\nNewport will once again be the race's only North American stopover, details regarding events and activities that will happen during the Newport Stopover will be announced when organized.\n\"Newport hosted the most successful North American stopover in the history of the race and Rhode Island will be ready again with an enthusiastic family-friendly public festival and celebration in May 2018.\" said Brad Read, Executive Director of Sail Newport and Volvo Ocean Race Newport Stopover Director.\nAt a press conference back in March, Adolfo Rodríguez from the Volvo Ocean Race joined Welsh Government Minister for Economy, Science and Transport, Edwina Hart, and the City of Cardiff Council Leader, Cllr Phil Bale, to announce that Cardiff had been chosen as the transatlantic stopover, when the race will visit from May 25-June 10.\n\"We are thrilled that the race will connect Newport with Cardiff and the North Atlantic leg between our cities could break the 24-hour speed record in the fierce conditions,\" said Read.\n\"The transatlantic race between Newport and Cardiff promises to be one of the real highlights of the Volvo Ocean Race 2017-18. The event is returning to the United Kingdom for the first time in 12 years, but this is the first time our world-class fleet will have visited Wales, despite the country's rich seafaring tradition. \"Cardiff's harbour will make the perfect backdrop for our boats, which will follow after what we expect to be another highly successful stopover in Newport.\" said Antonio Bolaños López, acting CEO, Volvo Ocean Race.\nOther stopovers already announced for the 2017-18 edition include Alicante (Spain), Cape Town (South Africa), Auckland (New Zealand), Cardiff (United Kingdom), Lisbon (Portugal), Hong Kong (China), and Gothenburg (Sweden)." |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.