pid
int64 2.28k
41.1M
| label
int64 0
1
| text
stringlengths 1
28.3k
|
---|---|---|
4,837,292 | 0 | <p>In general, don't pass sensitive information on the command line. Pass it in environment variables*, or in the content of a file, or pipe it in via a file descriptor.</p> <p>It is possible to modify the command line after a program starts (by overwriting the memory pointed to by argv[1]), but this leaves a window of vulnerability between when the program starts and when its arguments are erased. You cannot avoid this in general. So don't use program command line arguments for any sensitive data.</p> <p>* - The security of environment variables may vary between unixes. On Linux it should be safe - if you have the ability to read env variables, you also have the ability to read process memory directly.</p> |
6,997,785 | 0 | <p>well... I know this is not the best solution but you can correct it with client side javascript. In jQuery it would look like this:</p> <pre><code>$(".verticalTableHeader").each(function(){$(this).height($(this).width())}) </code></pre> <p>as for a pure HTML or CSS solution, I think this is a browser limitation.</p> |
36,896,301 | 0 | <p>if your redirect the desktop - java 7 and below seems set the user.home incorrectly. doesn't line up with %userprofile% for example. </p> |
240,190 | 0 | <p>Let's say you want to keep track of a collection of stuff. Said collections must support a bunch of things, like adding and removing items, and checking if an item is in the collection.</p> <p>You could then specify an interface ICollection with the methods add(), remove() and contains().</p> <p>Code that doesn't need to know what kind of collection (List, Array, Hash-table, Red-black tree, etc) could accept objects that implemented the interface and work with them without knowing their actual type.</p> |
24,719,063 | 0 | <p>An answer to the revised question. The proper solution for this depends on your page layout, the elements surrounding the h1 and their margins and padding etc. I don't know what your layout is but try these:</p> <p>Either a) Shift the text to the right</p> <pre><code>h1.page-header { padding-left: 20px; } </code></pre> <p>or b) Shift the whole header to the left and compensate by moving the text the same distance to the right</p> <pre><code>h1.page-header { padding-left: 20px; margin-left: -20px } </code></pre> |
3,759,986 | 0 | <pre><code><% String language = "EN"; Lang lang; if (language.equals("EN")){ lang = new EN(); } else if (language.equals("FR")){ lang = new FR(); } %> </code></pre> <p>Here it can be the case where language stays un initialized so you need to initialize it </p> <p>say </p> <pre><code>Lang lang = null;//or any default value </code></pre> <p>And to initialize local variable is compulsary </p> <p>I don't understand the importance of this condition here you are assigning <code>"EN"</code> to language then what is the need of condition?</p> |
28,171,051 | 0 | <p>As mentioned in my comment above <strong>permanent</strong> changes would require Javascript.</p> <p>However, a <strong>semi-permanent</strong> effect can be faked using a very long transition-duration on the base state and a short transition on the 'returning' <code>:hover</code> state.</p> <p><div class="snippet" data-lang="js" data-hide="false"> <div class="snippet-code"> <pre class="snippet-code-css lang-css prettyprint-override"><code>#smith { background-color: transparent; height: 87px; width: 383px; border: 1px solid red; margin: 25px; background: url("http://lorempixel.com/400/200/sports/") no-repeat center; } #smith img.top { display: block; margin: 0 auto; opacity: 1; transition: opacity 999s ease; } #smith img.top:hover { opacity: 0; transition: opacity .5s; }</code></pre> <pre class="snippet-code-html lang-html prettyprint-override"><code><div id="smith"> <img class="top" src="http://i.imgur.com/D6Kohra.png" /> </div></code></pre> </div> </div> </p> <p>For the background-image, these cannot be transitioned. Therefore I suggest a pseudo-element solution.</p> <p><div class="snippet" data-lang="js" data-hide="false"> <div class="snippet-code"> <pre class="snippet-code-css lang-css prettyprint-override"><code>#smith { background-color: transparent; height: 87px; width: 383px; border: 1px solid red; margin: 25px; position: relative; } #smith:before { content: ""; position: absolute; top: 0; left: 0; width: 100%; height: 100%; background: url("http://lorempixel.com/400/200/sports/") no-repeat center; z-index: -1; opacity: 0; transition: opacity 999s ease; } #smith:hover:before { z-index: -1; opacity: 1; transition: opacity .5s; } #smith img.top { display: block; margin: 0 auto; opacity: 1; transition: opacity 999s ease; } #smith img.top:hover { opacity: 0; transition: opacity .5s; }</code></pre> <pre class="snippet-code-html lang-html prettyprint-override"><code><div id="smith"> <img class="top" src="http://i.imgur.com/D6Kohra.png" /> </div></code></pre> </div> </div> </p> |
18,645,609 | 0 | Can't get eclipse to start after a computer crash <p>I am running eclipse in a virtual machine. The vm ran out of memory so it had to shut down. Now when I try to start eclipse, nothing happens. A process starts in the task manager but it hardly is holding any memory and no windows pop up, simply nothing happens. Here is the log file in .metadata</p> <pre><code>Log: !ENTRY org.eclipse.core.resources 2 10035 2013-09-05 14:49:58.989 !MESSAGE The workspace exited with unsaved changes in the previous session; refreshing workspace to recover changes. !ENTRY org.eclipse.egit.ui 2 0 2013-09-05 14:50:14.848 !SESSION 2013-09-05 15:03:21.108 ----------------------------------------------- eclipse.buildId=M20130204-1200 java.version=1.6.0_45 java.vendor=Sun Microsystems Inc. BootLoader constants: OS=win32, ARCH=x86_64, WS=win32, NL=en_US Framework arguments: -product org.eclipse.epp.package.jee.product Command-line arguments: -os win32 -ws win32 -arch x86_64 -product org.eclipse.epp.package.jee.product </code></pre> <p>And now, whenever I try to start eclipse, nothing ever gets appended to the log. Any ideas on how to fix this?</p> |
19,515,861 | 0 | <p>If you have a populated select widget, for example:</p> <pre><code><select> <option value="1">one</option> <option value="2" selected="selected">two</option> <option value="3">three</option> ... </code></pre> <p>you will want to convince select2 to restore the originally selected value on reset, similar to how a native form works. To achieve this, first reset the native form and then update select2:</p> <pre><code>$('button[type="reset"]').click(function(event) { // Make sure we reset the native form first event.preventDefault(); $(this).closest('form').get(0).reset(); // And then update select2 to match $('#d').select2('val', $('#d').find(':selected').val()); } </code></pre> |
35,674,166 | 0 | <p>There are a couple of ways to handle the error. Since you are doing multiple lookups in a <code>dict</code>, wrapping it all in a <code>try/except</code> block is a good choice </p> <pre><code>import json import urllib def showsome(searchfor): query = urllib.urlencode({'q': searchfor}) url = 'http://ajax.googleapis.com/ajax/services/search/web?v=1.0&%s' % query search_response = urllib.urlopen(url) search_results = search_response.read() results = json.loads(search_results) try: data = results['responseData'] print 'Total results: %s' % data['cursor']['estimatedResultCount'] hits = data['results'] print 'Top %d hits:' % len(hits) for h in hits: print ' ', h['url'] print 'For more results, see %s' % data['cursor']['moreResultsUrl'] except KeyError: print "I'm gettin' nuth'in man" showsome('"this is not searched searched in Google"') </code></pre> |
33,580,651 | 0 | <pre><code>create table #txn ( year smallint, Jan money, Feb money, Mar money, Apr money, May money, Jun money, Jul money, Aug money, Sep money, Oct money, Nov money, Dec money ) insert #txn values(2014,null,null,null,null,null,null,null,null,null,95,36.89,95), (2015,100,6389.27,null,null,1035,257,669.05,0,null,514,2791.01,null) select year, month, money from #txn unpivot ( money for month in (Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec) ) unpivotalias ;with aggregate as ( select year, sum(money) as 'YTD', sum(money)/count(*) as 'AVG' from #txn unpivot ( money for month in (Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec) ) unpivotalias group by year ) select t.year,Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec,YTD,AVG from #txn as t join aggregate as a on t.year = a.year order by t.year </code></pre> |
12,335,952 | 0 | <p>You haven't put the shared library in a location where the loader can find it. look inside the <code>/usr/local/opencv</code> and <code>/usr/local/opencv2</code> folders and see if either of them contains any shared libraries (files beginning in <code>lib</code> and usually ending in <code>.so</code>). when you find them, create a file called <code>/etc/ld.so.conf.d/opencv.conf</code> and write to it the paths to the folders where the libraries are stored, one per line. Then run </p> <pre><code>sudo ldconfig -v </code></pre> <p>for example, if the libraries were stored under <code>/usr/local/opencv/libopencv_core.so.2.4</code> then I would write this to my <code>opencv.conf</code> file:</p> <pre><code>/usr/local/opencv/ </code></pre> <p>If you can't find the libraries, try running</p> <pre><code>sudo updatedb && locate libopencv_core.so.2.4 </code></pre> <p>in a shell. You don't need to run <code>updatedb</code> if you've rebooted since compiling OpenCV.</p> <p>References:</p> <p>About shared libraries on Linux: <a href="http://www.eyrie.org/~eagle/notes/rpath.html">http://www.eyrie.org/~eagle/notes/rpath.html</a></p> <p>About adding the OpenCV shared libraries: <a href="http://opencv.willowgarage.com/wiki/InstallGuide_Linux">http://opencv.willowgarage.com/wiki/InstallGuide_Linux</a></p> |
334,017 | 0 | <p>I've specifically had a lot of gain using Test Driven Development (TDD) with C++ on a huge monolithic server application.</p> <p>When I'm working on an area of code, I first ensure that that area is covered with tests before I change or write new code.</p> <p>In this use case I have huge gains in productivity. </p> <ul> <li>To build and run my test: 10 seconds.</li> <li>To build, run and manually test the full server: min 5 minutes.</li> </ul> <p>This means I'm able to iterate an area of code very quickly and only test fully when I need to. </p> <p>In addition to this I have also utilised integration testing which take longer to build and run, but only exercise the specific piece of functionality I am interested in.</p> |
9,917,365 | 0 | Experience with using Java EE Restlet's TaskService in an application server? <p>Has anyone used Restlet's TaskService in a Java EE app (deployed in Tomcat, GlassFish, etc)?</p> <p>Is using it going against Java EE's specifications? How does Restlet deal with it when the server/container maintains the thread pool and NOT go against the Java EE spec of not instantiating your own threads in a container managed application?</p> <p>Or are you forced to used Spring and/or interface with CommonJ's WorkManger interface for asynchronous processing?</p> <p>PS: FYI, TaskService basically wraps the ExecutorService of Java 6 - but it's suggested to not used that in an application server context. However, the Java EE version of Restlet does seem to have this service and was wondering if using it would violate the Java EE specs or is a strict no-no or is in fact doable or should one fallback to Spring/CommonJ</p> |
6,454,794 | 0 | <p>This is quite an extensive request that would require an entire component to accomplish the task without really hacking up the VM core. Lucky for you someone has already done it.</p> <p><a href="http://extensions.joomla.org/extensions/extension-specific/virtuemart-extensions/virtuemart-products-search/10285" rel="nofollow">http://extensions.joomla.org/extensions/extension-specific/virtuemart-extensions/virtuemart-products-search/10285</a></p> <p><a href="http://extensions.joomla.org/extensions/extension-specific/virtuemart-extensions/virtuemart-products-search/10968" rel="nofollow">http://extensions.joomla.org/extensions/extension-specific/virtuemart-extensions/virtuemart-products-search/10968</a></p> <p>Both of these would probably work for what you want to do. They are commercial but reasonably priced.</p> |
4,929,901 | 0 | <p>Any chance you are using Ruby 1.9.x for development? It looks like Cucumber is trying to use 1.8. Give this a go <a href="http://stackoverflow.com/questions/3427501/getting-textmate-to-recognize-ruby-version-upgrade">Getting Textmate to recognize Ruby version upgrade</a></p> |
8,172,405 | 0 | <p>I do not know much about <a href="http://metacpan.org/module/CAM%3a%3aPDF">CAM::PDF</a>. However, if you are willing to install <a href="http://metacpan.org/module/PDF%3a%3aAPI2">PDF::API2</a>, you can do:</p> <pre><code>#!/usr/bin/env perl use strict; use warnings; use Data::Dumper; use PDF::API2; my $pdf = PDF::API2->open('U3DElements.pdf'); print Dumper { $pdf->info }; </code></pre> <p>Output:</p> <pre>$VAR1 = { 'ModDate' => 'D:20090427131238-07\'00\'', 'Subject' => 'Adobe Acrobat 9.0 SDK', 'CreationDate' => 'D:20090427125930Z', 'Producer' => 'Acrobat Distiller 9.0.0 (Windows)', 'Creator' => 'FrameMaker 7.2', 'Author' => 'Adobe Developer Support', 'Title' => 'U3D Supported Elements' };</pre> |
40,859,847 | 0 | Gravity forms unset fields dynamically <p>I'm successfully populating the Gravity form fields using "gform_pre_render " hook. now i need to remove few fields dynamically. I spend hours to looking into documentation and did google searches but no luck. Its really helpful if someone know how to unset fields in gravity form. Thanks in advance </p> |
6,545,899 | 0 | <p>When you have a method with a <code>throws</code> clause, then any other method that calls that method has to either handle the exception (by catching it) or throwing it furter by also having a <code>throws</code> clause for that type of exception (so that, in turn, the method that calls that one again has to do the same, etc.).</p> <p>When the <code>main</code> method has a <code>throws</code> clause, then the JVM will take care of catching the exception, and by default it will just print the stack trace of the exception.</p> <p>When you want to do special handling when <code>main</code> throws an exception, then you can set an uncaught exception handler:</p> <pre><code>Thread.setDefaultUncaughtExceptionHandler(new UncaughtExceptionHandler() { @Override public void uncaughtException(Thread t, Throwable e) { System.err.printf("Thread %s threw an uncaught exception!%n", t.getName()); e.printStackTrace(); } }); </code></pre> |
3,645,112 | 0 | <p>This ought to do it with just plain .NET classes:</p> <pre><code>Private Sub Button1_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles Button1.Click Using ms As New System.IO.MemoryStream PictureBox1.Image.Save(ms, System.Drawing.Imaging.ImageFormat.Png) Using wc As New System.Net.WebClient wc.UploadData("ftp://foo.com/bar/mumble.png", ms.ToArray()) End Using End Using End Sub </code></pre> |
23,835,668 | 0 | <p>Other answers pointing to the fact that Strings are immutable are accurate.</p> <p>But if you want to have the functionality of "clearing a String", you can <a href="http://www.mkyong.com/java/how-to-clear-delete-the-content-of-stringbuffer/" rel="nofollow">use a StringBuffer instead and call this on it</a>:</p> <pre><code>stringBuffer.delete(0, stringBuffer.length()); </code></pre> |
13,269,344 | 0 | <p>If all you want to do is hide the casts, it's easy as Peter showed. If you want to avoid ClassCastExceptions as well, type erasure dictates you have to pass the class in as a parameter (you can't do <code>instanceof</code> on a generic type). It's a bit messy.</p> <pre><code>class TestGet { private static final Map<String,Object> theMap = new HashMap<String, Object>(); @SuppressWarnings("unchecked") public static <T> T getObject(final String key, final Class<T> clazz) { final Object o = theMap.get(key); return o != null && clazz.isAssignableFrom(o.getClass()) ? (T) o : null; } } </code></pre> <p>And then</p> <pre><code>JButton b = TestGet.getObject("theButton", JButton.class); </code></pre> |
24,958,344 | 0 | <p>By using this package <a href="https://sublime.wbond.net/packages/RegReplace" rel="nofollow">https://sublime.wbond.net/packages/RegReplace</a> you can create regex patterns and bind them to shortcuts.</p> <p>Also if there are multiple occurrences of one word, you can put cursor on whatever part of the word and press CTRL+D multiple times. One CTRL+D press will select the word under the cursor, every other press will select next occurrence of the word.</p> <p>You could also use <a href="https://sublime.wbond.net/packages/Expand%20Selection%20to%20Whitespace" rel="nofollow">https://sublime.wbond.net/packages/Expand%20Selection%20to%20Whitespace</a> to expand the selection to whitespace if your word contain some random characters, and then press CTDL+D to select next occurrences of the word.</p> <p>Edit: With the package regex shortcuts indeed you have to create regexes before binding them. But the CTRL+D does work without it. I don't see a problem with using "Expand selection to whitespace" and than doing the CTRL+D as I wrote in the answer.</p> <p>I've checked the usage of visual as you wrote in the question and this solution seems much faster to do. You don't have to place cursor in the beggining of the word as It can be whereever in the word and no find/replace is needed, since you'll multiselect all occurrences by holding CTRL+D for a sec and You'll be free to edit it.</p> <p>You can also use <a href="https://sublime.wbond.net/packages/Expand%20Selection%20to%20Quotes" rel="nofollow">https://sublime.wbond.net/packages/Expand%20Selection%20to%20Quotes</a> to select text inside quote and combine it with CTRL+D if standard CTRL+D doesn't work with some text, or if select to whitespace selects too much text.</p> |
10,355,924 | 0 | <p>When you open the exported data file directly with Excel, all formats are set as General. In General format, Excel applies formatting to what it recognizes as numbers and dates. So, to be clear, the issue is not with your export, but rather with how Excel is reading your data by default. Try the following to get around this issue.</p> <p>Export to CSV. Then, rather than opening the CSV in Excel, use Excel's '<strong>Get External Data From Text</strong>' tool to import the data into an empty workbook. Here you can specify to treat this field as TEXT rather than as GENERAL.</p> <p>Note that once Excel applies number (or date) format to a cell, the data in the cell has been changed. No application of a new format will bring back your desired data. For this reason you must specify the format <em>before</em> Excel opens the file.</p> |
10,482,996 | 0 | <p>see: <a href="http://www.99points.info/2010/06/php-encrypt-decrypt-functions-to-encrypt-url-data/" rel="nofollow">http://www.99points.info/2010/06/php-encrypt-decrypt-functions-to-encrypt-url-data/</a></p> |
36,740,364 | 0 | <p>I believe aerospike would serves your purpose, you can configure it for hybrid storage at namespace(i.e. DB) level in <em>aerospike.conf</em> which is present at <strong><em>/etc/aerospike/aerospike.conf</em></strong></p> <p>For details please refer official documentation here: <a href="http://www.aerospike.com/docs/operations/configure/namespace/storage/" rel="nofollow">http://www.aerospike.com/docs/operations/configure/namespace/storage/</a></p> |
17,547,124 | 0 | <p>Something like this should do it.</p> <pre><code>$("#create").click(function (e) { var svgNS = "http://www.w3.org/2000/svg"; var myCircle = document.createElementNS(svgNS, "circle"); myCircle.setAttributeNS(null, "id", "mycircle"); myCircle.setAttributeNS(null, "fill", 'blue'); myCircle.setAttributeNS(null, "r", '6'); myCircle.setAttributeNS(null, "stroke", "none"); var svg = document.querySelector("svg"); svg.appendChild(myCircle); var pt = svg.createSVGPoint(); pt.x = xpos; pt.y = ypos; var globalPoint = pt.matrixTransform(myCircle.getScreenCTM().inverse()); var globalToLocal = myCircle.getTransformToElement(svg).inverse(); var inObjectSpace = globalPoint.matrixTransform(globalToLocal); myCircle.setAttributeNS(null, "cx", inObjectSpace.x); myCircle.setAttributeNS(null, "cy", inObjectSpace.y); }); </code></pre> <p>This <a href="http://stackoverflow.com/questions/4850821/svg-coordinates-with-transform-matrix/5223921#5223921">question</a> has more details. although its solution is not quite right.</p> |
21,317,678 | 0 | <p>Not sue why you would need to do this but you can use <code>identical</code> to do the comparison. However, since <code>identical</code> only compares two arguments, you will have to loop over your list, preferably using <code>lapply</code>...</p> <pre><code>lapply( a , function(x) identical( substitute(1 + 2) , x ) ) #[[1]] #[1] TRUE #[[2]] #[1] FALSE </code></pre> <p>Or similarly you can still use <code>==</code>. Inspection of <code>substitute(1 + 2)</code> reveals it to be a <code>language</code> object of length 3, whilst your list <code>a</code> is obviously of length 2, hence the warning on vector recycling. Therefore you just need to loop over the elements in your list which you can do thus:</p> <pre><code>lapply( a , `==` , substitute(1 + 2) ) #[[1]] #[1] TRUE #[[2]] #[1] FALSE </code></pre> |
20,366,469 | 0 | <p>Try</p> <pre><code>window.location.href = $(event.currentTarget).attr('rel'); </code></pre> |
18,174,261 | 0 | <p>If the data is re-loaded every day, then you should just fix it when it is reloaded.</p> <p>Perhaps that is not possible. I would suggest the following approach, assuming that the triple <code>url</code>, <code>shop</code>, <code>InsertionTime</code> is unique. First, build an index on <code>url, shop, InsertionTime</code>. Then use this query:</p> <pre><code>select ap.* from AllProducts ap where ap.InsertionTime = (select InsertionTime from AllProducts ap2 where ap2.url = ap.url and ap2.shop = ap.shop order by InsertionTime limit 1 ); </code></pre> <p>MySQL does not allow subqueries in the <code>from</code> clause of a view. It does allow them in the <code>select</code> and <code>where</code> (and <code>having</code>) clauses. This should cycle through the table, doing an index lookup for each row, just returning the ones that have the minimum insertion time.</p> |
13,409,129 | 0 | Which loops and which co-ordinate system can I use to automate this example of a truss structure <p>I am completely new to matlab and can't seem to get an if loop to work. For example if Ln > k , plot point i(n-1) to i(n). How would I automatically assign the correct row or column vectors to i(n)?</p> <p>Here is a diagram of what I'm wanting</p> <p><img src="https://i.stack.imgur.com/T8WwD.jpg" alt="enter image description here"></p> <p>What I want to achieve is connect i(0) to i(1) to ... i(n-1) to i(n).</p> <p>I also am a bit confused at which co-ordinate system to use? I thought it would be easy to use a polar co-ordinate system. Defining a distance and angle from point i(o) and then doing the same from point i(1) but from what I could find, it is necessary to convert back to a cartesian co-ordinate system.</p> <p>Once I am comfortable with this section I am confident I can take on the next steps, and develop a full solution to my problem. If you are interested in what I am trying to achieve, here's a <a href="http://bit.ly/UtdzBZ" rel="nofollow noreferrer">link</a></p> <p>[PLEASE NOTE] In that question I linked to, I was told I made a mess of it. I'm sorry if this question is also not clear. I really have spent the time to make it as clear as possible. I find it hard to express myself sometimes.</p> |
743,094 | 0 | App_Data/ASPNETDB.MDF to Sql Server 2005 (or 08) <p>I've been developing an ASP.NET WebForms app that needed account login functionality (e.g. register new users, change passwords, recover passwords, profiles, roles, etc). To do this, I used FormsAuthentication with the default data store, which, to my surprise, is an MDF file in App_Data. When it comes time to actually deploy this app. live on the web, I'm going to use some shared hosting like GoDaddy or another cheap company.</p> <p>For efficiency, I'd like to switch over from this MDF to actual SQL Server 2005 or 2008 (who in their right mind uses flat files?). With shared hosting, however, I'm not going to be able to run any programs like aspnet_regsql.exe. I'll just have a single login and password to a SQL Server database, and an FTP account into the domain root. No MSTSC remote desktop, no console access, no tinkering in IIS, etc.</p> <p>I won't need to transfer any user accounts from ASPNETDB.MDF (site will be starting with zero users), but how am I suppose to:</p> <p>1) Easily create the tables, procedures, etc. that Visual Studio automatically created in ASPNETDB.MDF when I used Web Site Administration Tool to get started with FormsAuthentication?</p> <p>2) Have the SQL membership provider use a connection string I give it instead of using whatever it is now to connect to this ASPNETDB.MDF. Hell, I don't even see any connection string to this MDF in the web.config; how the hell is my app. even finding it? Machine.config? That would be a poor decision if that's the case. This behind-the-scenes crap drives me nuts.</p> <p><strong>Any help from someone who has been through this migration would be very, very much appreciated!</strong></p> |
10,727,481 | 0 | Determine Cobol coding style <p>I'm developing an application that parses Cobol programs. In these programs some respect the traditional coding style (programm text from column 8 to 72), and some are newer and don't follow this style.</p> <p>In my application I need to determine the coding style in order to know if I should parse content after column 72.</p> <p>I've been able to determine if the program start at column 1 or 8, but prog that start at column 1 can also follow the rule of comments after column 72.</p> <p>So I'm trying to find rules that will allow me to determine if texts after column 72 are comments or valid code.</p> <p>I've find some but it's hard to tell if it will work everytime :</p> <ul> <li><p>dot after column 72, determine the end of sentence but I fear that dot can be in comments too</p></li> <li><p>find the close character of a statement after column 72 : <code>" ' ) }</code></p></li> <li><p>look for char at columns 71 - 72 - 73, if there is not space then find the whole word, and check if it's a key word or a var. Problem, it can be a var from a COPY or a replacement etc...</p></li> </ul> <p><strong>I'd like to know what do you think of these rules and if you have any ideas to help me determine the coding style of a Cobol program.</strong></p> <p><em>I don't need an API or something just solid rules that I will be able to rely on.</em></p> |
38,789,122 | 0 | <p>In <code>variables.less</code>, the <code>@navbar-default-brand-color</code> variable is used:</p> <pre><code>@navbar-default-brand-color: @navbar-default-link-color; @navbar-default-brand-hover-color: darken(@navbar-default-brand-color, 10%); </code></pre> <p>The error you get is because the darken function (LESS native function) is not able to parse your <code>@my-navbar-link-color</code>, so check you have a valid color (in the snippet, it seems to be valid)</p> |
10,043,652 | 0 | <p>In the ZBar sdk, ZBarReaderView has a method called "TrackingColor". The default is green. Here is the code to change the tracking color:</p> <pre><code>reader.trackingColor = [UIColor redColor]; </code></pre> <p>I am using a TabBar. So here is the code I used to get it to work:</p> <pre><code>ZBarReaderViewController *reader = [tabBarController.viewControllers objectAtIndex: 0]; reader.readerDelegate = self; reader.readerView.trackingColor = [UIColor redColor]; </code></pre> <p>I hope this helps!</p> |
4,665,202 | 0 | Redefining free memory function in C <p>I'm redefining memory functions in C and I wonder if this idea could work as implementation for the free() function:</p> <pre><code> typedef struct _mem_dictionary { void *addr; size_t size; } mem_dictionary; mem_dictionary *dictionary = NULL; //array of memory dictionaries int dictionary_ct = 0; //dictionary struct counter void *malloc(size_t size) { void *return_ptr = (void *) sbrk(size); if (dictionary == NULL) dictionary = (void *) sbrk(1024 * sizeof(mem_dictionary)); dictionary[dictionary_ct].addr = return_ptr; dictionary[dictionary_ct].size = size; dictionary_ct++; printf("malloc(): %p assigned memory\n",return_ptr); return return_ptr; } void free(void *ptr) { size_t i; int flag = 0; for(i = 0; i < dictionary_ct ; i++){ if(dictionary[i].addr == ptr){ dictionary[i].addr=NULL; dictionary[i].size = 0; flag = 1; break; } } if(!flag){ printf("Remember to free!\n"); } } </code></pre> <p>Thanks in advance!</p> |
35,786,327 | 0 | Scheme "Error: (4 6 5 87 7) is not a function" <p>I just asked a similar question and got the answer I needed, but his time I cannot find any extra parenthesis that would be causing this error: "Error: (4 6 5 87 7) is not a function". Is it due to something else? My code takes a number and if it is already in the list, it does not add it. If the list does not already contain the number, then it adds it.</p> <pre><code>(define (insert x ls) (insertHelper x ls '() 0) ) (define (insertHelper x ls lsReturn counter) (cond ( (and (null? ls) (= counter 0)) (reverse (cons x lsReturn)) ) ( (and (null? ls) (>= counter 1)) (reverse lsReturn) ) ( (eqv? x (car ls)) (insertHelper x (cdr ls) (cons (car ls) lsReturn) (+ counter 1)) ) ( else ((insertHelper x (cdr ls) (cons (car ls) lsReturn) (+ counter 0))) ) ) ) (define theSet (list 4 6 5 87)) (display theSet) (display "\n") (display (insert 7 theSet)) </code></pre> |
29,395,807 | 0 | <p>The data you have published is not the same as you used in your test.</p> <p>This program checks <em>both</em> of the regex patterns against the data copied directly from an edit of your original post. Neither pattern matches any of the lines in your data</p> <pre><code>use strict; use warnings; use 5.010; my (%STA_DATA, $file, $path); while ( <DATA> ) { if ( /^-?\s{1,2}Arrival\sTime/ ) { say 'match1'; $STA_DATA{$file}{$path}{Arrival_Time} = m/\sArrival\sTime\s+(.*)\s+$/ } if ( /^-\sArrival\sTime/ or m/^\s{1,2}Arrival\sTime/ ) { say 'match2'; $STA_DATA{$file}{$path}{Arrival_Time} = m/\sArrival\sTime\s+(.*)\s+$/ } } __DATA__ Arrival Time 3373.000 - Arrival Time 638.700 | 100.404 Arrival Time Report </code></pre> |
30,462,632 | 0 | <p>You're better off using <a href="http://www.cplusplus.com/reference/string/string/getline/" rel="nofollow"><code>getline</code></a></p> <pre><code>string line; cin.getline(line); </code></pre> <p>It will do nice stuff for you like resizing it.</p> |
28,393,390 | 0 | Cordova - ANDROID_HOME is not set and "android" command not in your PATH. You must fulfill at least one of these conditions <p>I've installed nodejs and cordova and downloaded android sdk. The thing is when I try and add an android platform here's what sortf happen: </p> <pre><code>$ sudo cordova platform add android Creating android project... /home/blurt/.cordova/lib/npm_cache/cordova-android/3.6.4/package /bin/node_modules/q/q.js:126 throw e; ^ Error: ANDROID_HOME is not set and "android" command not in your PATH. You must fulfill at least one of these conditions. </code></pre> <p>None of the solutions that I found in the Internet worked. </p> <p>When I type : </p> <pre><code>$ echo $ANDROID_HOME </code></pre> <p>it gives nothing.</p> <p>When I type: </p> <pre><code> echo $PATH </code></pre> <p>it prints </p> <pre><code>/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin:/usr/games: /usr/local/games:/opt/android-sdk/tools:/opt/android-sdk/platform- tools:/opt/node/bin:/opt/android-sdk/tools:/opt/android-sdk/platform-tools:/opt/node/bin </code></pre> <p>shows this.</p> <p>I believe my SDK path is <code>:/opt/android-sdk/tools</code></p> |
41,071,342 | 0 | <p>You can also keep your code like what it is right now, and split only the results.</p> <p>For example, i assume that your output is:</p> <pre><code>output = ['B3', 'B2', 'C3', 'C2', 'B3', 'A1', 'C2', 'B2', 'C1'] </code></pre> <p>So, you can do something like this:</p> <pre><code>expected_output = [output[i:i+3] for i in range(0, len(output), 3)] print(expected_output) </code></pre> <p>Output:</p> <pre><code>[['B3', 'B2', 'C3'], ['C2', 'B3', 'A1'], ['C2', 'B2', 'C1']] </code></pre> <p>So, in order to edit your code, you have only to edit one line:</p> <p><code>self.results.extend(self.hand)</code> to <code>self.results.extend(self.hand[i:i+3] for i in range(0, len(self.hand), 3))</code></p> <p>So your <code>simple_function()</code> will be:</p> <pre><code>def simple_function(self): for counter in range(0, 3, 1): print("Loop", counter) self.draw(3) print("Hand", simple_cards.hand) # The edited line self.results.extend(self.hand[i:i+3] for i in range(0, len(self.hand), 3)) print("Results before return", simple_cards.results) self.return_hand() print("Results after return", simple_cards.results) print("") </code></pre> <p>Output after the edit:</p> <pre><code>Loop 0 Hand ['B1', 'C1', 'C3'] Results before return [['B1', 'C1', 'C3']] Results after return [['B1', 'C1', 'C3']] Loop 1 Hand ['C1', 'C3', 'A3'] Results before return [['B1', 'C1', 'C3'], ['C1', 'C3', 'A3']] Results after return [['B1', 'C1', 'C3'], ['C1', 'C3', 'A3']] Loop 2 Hand ['C2', 'A3', 'B3'] Results before return [['B1', 'C1', 'C3'], ['C1', 'C3', 'A3'], ['C2', 'A3', 'B3']] Results after return [['B1', 'C1', 'C3'], ['C1', 'C3', 'A3'], ['C2', 'A3', 'B3']] Results after function [['B1', 'C1', 'C3'], ['C1', 'C3', 'A3'], ['C2', 'A3', 'B3']] </code></pre> |
14,740,156 | 0 | <p>Don't overlook Wagn <a href="http://wagn.org/" rel="nofollow">http://wagn.org/</a> Quoting Ward Cunningham "The freshest thing in Wiki since I coined the term".</p> <p>Pretty great as a Wiki and searchable database, and soon to be even more of an OO application platform in its own right.</p> |
23,084,967 | 0 | How to get browser name,version? <p>I have write script for detect bworser name ,os and broser vesion below is the code.</p> <pre><code>function getBrowser() { $u_agent = $_SERVER['HTTP_USER_AGENT']; $bname = 'Unknown'; $platform = 'Unknown'; $version= ""; $ub = ""; //First get the platform? if (preg_match('/linux/i', $u_agent)) { $platform = 'linux'; } elseif (preg_match('/macintosh|mac os x/i', $u_agent)) { $platform = 'mac'; } elseif (preg_match('/windows|win32/i', $u_agent)) { $platform = 'windows'; } // Next get the name of the useragent yes seperately and for good reason if(preg_match('/MSIE/i',$u_agent) && !preg_match('/Opera/i',$u_agent)) { $bname = 'Internet Explorer'; $ub = "MSIE"; } elseif(preg_match('/Firefox/i',$u_agent)) { $bname = 'Mozilla Firefox'; $ub = "Firefox"; } elseif(preg_match('/Chrome/i',$u_agent)) { $bname = 'Google Chrome'; $ub = "Chrome"; } elseif(preg_match('/Safari/i',$u_agent)) { $bname = 'Apple Safari'; $ub = "Safari"; } elseif(preg_match('/Opera/i',$u_agent)) { $bname = 'Opera'; $ub = "Opera"; } elseif(preg_match('/Netscape/i',$u_agent)) { $bname = 'Netscape'; $ub = "Netscape"; } // finally get the correct version number $known = array('Version', $ub, 'other'); $pattern = "#(?<browser>" . join("|", $known) .")[/]+(?<version>[0-9.|a-zA-Z.]*)#"; if (!preg_match_all($pattern, $u_agent, $matches)) { // we have no matching number just continue } // see how many we have $i = count($matches['browser']); if ($i != 1) { //we will have two since we are not using 'other' argument yet //see if version is before or after the name if (strripos($u_agent,"Version") < strripos($u_agent,$ub)){ $version= $matches['version'][0]; } else { $version= $matches['version'][1]; } } else { $version= $matches['version'][0]; } // check if we have a number if ($version==null || $version=="") {$version="?";} return array( 'userAgent' => $u_agent, 'name' => $bname, 'version' => $version, 'platform' => $platform, 'pattern' => $pattern ); } </code></pre> <p>this script returns only broser name,plathform(os name) but not return version of brwoser. I don't know what is the problem.</p> <p>above script give me a output of browser name and version on my windows server but not getting on amazon server.</p> <p>if any another way to get browser name,version then please suggest.</p> |
218,080 | 0 | <p>You can try: </p> <pre><code>pbPassport.Image = Image.FromStream(ms); </code></pre> |
21,207,213 | 0 | Select SQL Inner Join and Omit Certain Record <p>I have two tables with following data:</p> <p>Table A</p> <pre><code>ID DESC 1 One 2 Two 3 Three </code></pre> <p>ID is primary key</p> <p>Table B shows the action I did to ID in table A</p> <pre><code>NO ACTION ID DATETIME 1 ADD 1 2012-01-01 00:00:00 2 ADD 2 2012-01-01 00:00:00 3 ADD 3 2012-01-01 00:00:00 4 DELETE 2 2012-01-01 01:00:00 5 EDIT 1 2012-01-01 02:00:00 6 EDIT 3 2012-01-01 03:00:00 7 DELETE 1 2012-01-01 03:00:00 8 REVIVE 2 2012-01-01 04:00:00 9 EDIT 2 2012-01-01 05:00:00 </code></pre> <p>NO is primary key</p> <p>Here's the summary:</p> <p>ID 1: ADD on 2012-01-01 00:00:00, EDIT on 2012-01-01 02:00:00, and DELETE on 2012-01-01 03:00:00</p> <p>ID 2: ADD on 2012-01-01 00:00:00, DELETE on 2012-01-01 01:00:00, REVIVE on 2012-01-01 04:00:00, EDIT on 2012-01-01 05:00:00</p> <p>ID 3: ADD on 2012-01-01 00:00:00, EDIT on 2012-01-01 03:00:00</p> <p>How do I query the table to get following result:</p> <p>Table C</p> <pre><code>NO DESC 2 Two 3 Three </code></pre> <p>What I want to do is: to query the Table A that not having DELETE action at the last transaction time so I get only the active ID</p> <p>I tried to do inner join but got stuck on how to omit ID that having delete action at the last transaction time. Any suggestion/comment would be appreciated.</p> |
187,508 | 0 | <p>Apparently, not in form of millisecs.</p> <p>Which actually makes sense, since they do not have any running operations on current date/time:</p> <p><a href="http://www.ixora.com.au/notes/date_representation.htm" rel="nofollow noreferrer">http://www.ixora.com.au/notes/date_representation.htm</a></p> <p><a href="http://infolab.stanford.edu/~ullman/fcdb/oracle/or-time.html" rel="nofollow noreferrer">http://infolab.stanford.edu/~ullman/fcdb/oracle/or-time.html</a></p> <p><a href="http://www.akadia.com/services/ora_date_time.html" rel="nofollow noreferrer">http://www.akadia.com/services/ora_date_time.html</a></p> |
25,710,105 | 0 | <p>I would go with a different approach (though yours is not wrong in any way but I think is less common):</p> <p>Let the status be part of HTTP header with an HTTP return code (200, 201, ..., 400, 404, ..., etc.) and in the case you mentioned, an JSON array instead of the result field: [{...}, ...]</p> <p>A simple example:</p> <p>Request:</p> <pre><code>GET /api/v1/users HTTP/1.1 </code></pre> <p>Response:</p> <pre><code>200 OK Content-Type: application/json Date: Sun, 07 Sep 2014 15:24:04 GMT Content-Length: 261 .... [ { "username": ..., "email": ..., "firstName": ..., "lastName": ..., "password": ..., ... }, { "username": ..., "email": ..., "firstName": ..., "lastName": ..., "password": ..., ... } ] </code></pre> |
30,190,340 | 0 | <p>Here is my suggestion:</p> <pre><code>\[[\w\s&.-]*\]'[\w\s&.-]+'![A-Z]{1,4} </code></pre> <p>In JS:</p> <pre><code>var re = /\[[\w\s&.-]*\]'[\w\s&.-]+'![A-Z]{1,4}/gi; </code></pre> <p><code>[\w\s&.-]*</code> will match all alphanumeric characters and <code>_</code> with spaces, <code>&</code>, <code>.</code> and <code>-</code>. The <code>[A-Z]{1,4}</code> will match 1 to 4 uppercase English letters. The <code>i</code> option will make matching case-insensitive. If you want to allow digits in the last part, just revert them to <code>[A-Z0-9]{1,4}</code>.</p> <p>See <a href="https://regex101.com/r/oE1yV9/3" rel="nofollow">demo</a></p> |
30,544,813 | 0 | <p>It means your project has hit the limit. Read: <a href="https://developer.android.com/tools/building/multidex.html">https://developer.android.com/tools/building/multidex.html</a></p> <p>You need to enable multidex, which you can by:</p> <pre><code>defaultConfig { ... multiDexEnabled true } dependencies { ... compile 'com.android.support:multidex:1.0.0' } </code></pre> <p>extend your Application class with <a href="https://developer.android.com/reference/android/support/multidex/MultiDexApplication.html">MultiDexApplication</a> and edit your AndroidManifest.xml as explained in the link itself.</p> |
22,857,363 | 0 | java script - using parse.com query with angular ng-repeat <p>I make a query from parse.com angd get and array of 2 object. Now I want to user ng-reapet('phone in phones') , so I need to convert it to json. I didn't suucess to do it. for some reason, it doesnt see the result as a json.</p> <pre><code> var Project = Parse.Object.extend("Project"); var query = new Parse.Query(Project); query.find({ success: function (results) { var allProjects = []; for (var i = 0; i < results.length; i++) { allProjects.push(results[i].toJSON()); } $scope.phones = allProjects; //i also tried this : $scope.phones = JSON.stringify(allProjects); }, error: function (error) { alert("Error: " + error.code + " " + error.message); } }); </code></pre> <p>Thanks</p> |
2,258,771 | 1 | Prevent a console app from closing when not invoked from an existing terminal? <p>There are many variants on this kind of question. However I am specifically after a way to prevent a console application in Python from closing when it is not invoked from a terminal (or other console, as it may be called on Windows). An example where this could occur is double clicking a <code>.py</code> file from the Windows explorer.</p> <p>Typically I use something like the following code snippet, but it has the unfortunate side effect of operating even if the application is invoked from an existing terminal:</p> <pre><code>def press_any_key(): if os.name == "nt": os.system("pause") atexit.register(press_any_key) </code></pre> <p>It's also making the assumption that all Windows users are invoking the application from the Windows "shell", and that only Windows users can execute the program from a location other than an existing terminal.</p> <p>Is there a (preferably cross platform) way to detect if my application has been invoked from a terminal, and/or whether it is necessary to provide a "press any key..." functionality for the currently running instance? Note that resorting to batch, bash or any other "wrapper process" workarounds are highly undesirable.</p> <h2>Update0</h2> <p>Using <a href="http://stackoverflow.com/questions/2258771/prevent-a-console-app-from-closing-when-not-executed-from-a-terminal/2258980#2258980">Alex Martelli's</a> answer below, I've produced this function:</p> <pre><code>def register_pause_before_closing_console(): import atexit, os if os.name == 'nt': from win32api import GetConsoleTitle if not GetConsoleTitle().startswith(os.environ["COMSPEC"]): atexit.register(lambda: os.system("pause")) if __name__ == '__main__': register_pause_before_closing_console() </code></pre> <p>If other suitable answers arise, I'll append more code for other platforms and desktop environments.</p> <h2>Update1</h2> <p>In the vein of using <a href="http://sourceforge.net/projects/pywin32/" rel="nofollow noreferrer">pywin32</a>, I've produced <strong>this</strong> function, which improves on the one above, using the accepted answer. The commented out code is an alternative implementation as originating in Update0. If using pywin32 is not an option, follow the link in the <a href="http://stackoverflow.com/questions/2258771/prevent-a-console-app-from-closing-when-not-invoked-from-an-existing-terminal/2261219#2261219">accepted answer</a>. Pause or getch() to taste.</p> <pre><code>def _current_process_owns_console(): #import os, win32api #return not win32api.GetConsoleTitle().startswith(os.environ["COMSPEC"]) import win32console, win32process conswnd = win32console.GetConsoleWindow() wndpid = win32process.GetWindowThreadProcessId(conswnd)[1] curpid = win32process.GetCurrentProcessId() return curpid == wndpid def register_pause_before_closing_console(): import atexit, os, pdb if os.name == 'nt': if _current_process_owns_console(): atexit.register(lambda: os.system("pause")) if __name__ == '__main__': register_pause_before_closing_console() </code></pre> |
33,034,534 | 0 | Is possible to associate models with current time conditions? <p>Is possible to get two models associated with current time condition?</p> <pre><code><?php class SomeModel extends AppModel { public $hasOne = array( 'ForumBan', 'ForumBanActive' => array( 'className' => 'ForumBan', 'conditions' => array('ForumBanActive.end_time >' => time()) // fatal error ), ); } </code></pre> <p>I don't want to add this condition every time i call <code>find</code> on ForumBan model.</p> |
26,886,540 | 0 | How to override a function in a package? <p>I am using a package from <code>biopython</code> called <code>SubsMat</code>, I want to override a function that is located in SubsMats <code>__init__.py</code>.</p> <p>I tried making a class that inherits <code>SubsMat</code> like this:</p> <pre><code>from Bio import SubsMat class MyOwnSubsMat(SubsMat): </code></pre> <p>but you cannot inherit a package I guess. I cannot alter the source code literally since it is a public package on the network. Is there any workaround for a noob like me?</p> |
33,829,387 | 0 | Cross-Site Scripting: encodeForHTML for HTML content (The OWASP Enterprise Security API) <p>I have a HTML select Tag in my JSP</p> <pre><code><%@ taglib prefix="esapi" uri="http://www.owasp.org/index.php/Category:OWASP_Enterprise_Security_API"%> <select> ... <option value="volvo">${device.name}</option> .... </select> </code></pre> <p>I set this as device name in the DB</p> <pre><code>"><script>alert(1)</script>2d65 </code></pre> <p>I've tried to get rid of the alert when I load the page using</p> <pre><code><esapi:encodeForHTMLAttribute>${device.name}</esapi:encodeForHTMLAttribute> </code></pre> <p>or</p> <pre><code><esapi:encodeForHTML>${device.name}</esapi:encodeForHTML> </code></pre> <p>or</p> <pre><code><c : out value="${device.name}"/> </code></pre> <p>or</p> <pre><code> <esapi:encodeForJavaScript>${device.name}</esapi:encodeForJavaScript> </code></pre> <p>But there is no way ! The alert message always appears when loading the page !</p> <p>In fact, I see that the characters are escaped, but even that an alert appears in the JSP</p> <p><a href="https://i.stack.imgur.com/B0qTY.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/B0qTY.png" alt="enter image description here"></a></p> |
30,197,051 | 0 | Delete-Upsert-Read Access Pattern in Cassandra <p>I use Cassandra to store trading information. Based on the queries available, I design my CF as below:</p> <pre><code>CREATE trades (trading_book text, trading_date timestamp, OTHER TRADING INFO ..., PRIMARY KEY (trading_book, trading_date)); </code></pre> <p>I want to delete all the data on a given date in the following way:</p> <ol> <li>collect all the trading books (which are stored somewhere else);</li> <li>evenly distribute all the trading books in 20 threads;</li> <li>in each thread, loop through the books, and</li> </ol> <p>DELETE FROM trades WHERE trading_book='A_BOOK' AND trading_date='2015-01-01'</p> <p>There are about 1 million trades and the deletion takes 2 min to complete. Then insert the trading data on 2015-01-01 again (about 1 million trades) immediate after the deletion done.</p> <p>When the insertion done and I re-read the data, I got the error even with query timeout set to 600 seconds:</p> <pre><code>ReadTimeout: code=1200 [Coordinator node timed out waiting for replica nodes' responses] message="Operation timed out - received only 0 responses." info={'received_responses': 0, 'required_responses': 1, 'consistency': 'ONE'} info={'received_responses': None, 'required_responses': None, 'consistency': 'Not Set'} </code></pre> <p>It looks like some data inconsistency in the CF now, i.e. the coordinator could identify the partition, but there is no data on the partition?</p> <p>Is there anything wrong with my access pattern? How to solve this problem?</p> <p>Any hints will be highly appreciated! Thank you.</p> |
31,460,552 | 0 | <p>Okay, <a href="https://s3.amazonaws.com/downloads.mesosphere.io/dcos/stable/single-master.cloudformation.json" rel="nofollow">given the DCOS template</a>, the LaunchConfiguration for the slaves looks like this: (I've shortened it somewhat)</p> <pre><code>"MasterLaunchConfig": { "Type": "AWS::AutoScaling::LaunchConfiguration", "Properties": { "IamInstanceProfile": { "Ref": "MasterInstanceProfile" }, "SecurityGroups": [ ... ], "ImageId": { ... }, "InstanceType": { ... }, "KeyName": { "Ref": "KeyName" }, "UserData": { ... } } } </code></pre> <p>To get started, all you need to do is add the <a href="https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/aws-properties-as-launchconfig.html#cfn-as-launchconfig-spotprice" rel="nofollow"><code>SpotPrice</code></a> property in there. The value of <code>SpotPrice</code> is, obviously, the maximum price you want to pay. You'll probably need to do more work around autoscaling, especially with alarms and time of day. So here's your new <code>LaunchConfiguration</code> with a spot price of $1.00 per hour:</p> <pre><code>"MasterLaunchConfig": { "Type": "AWS::AutoScaling::LaunchConfiguration", "Properties": { "IamInstanceProfile": { "Ref": "MasterInstanceProfile" }, "SecurityGroups": [ ... ], "ImageId": { ... }, "InstanceType": { ... }, "KeyName": { "Ref": "KeyName" }, "UserData": { ... }, "SpotPrice": 1.00 } } </code></pre> |
12,444,646 | 0 | ember.js: keep sidebar with a list of items while I'm creating or editing a record <p>Basically, I want a simple structure: a sidebar (with a list of games), and forms in the center (new/edit).</p> <p>So, when user access the route route /games/new, it'll render the new form in the center, and keep the sidebar in left. When user access /games/1/edit, it'll render de edition form in the center, keep sidebar in the left and select the item that is being edited.</p> <p>My problem is about the sidebar. I didn't find a way to solve this, I think that I need to use 2 distinct controllers, but I don't know...</p> <p><a href="http://jsfiddle.net/alexandrebini/8BKE8/19/" rel="nofollow">http://jsfiddle.net/alexandrebini/8BKE8/19/</a></p> |
16,747,658 | 0 | <p>You should to init needed layout messages through Mage_Core_Controller_Varien_Action::_initLayoutMessages()</p> <p>Example:</p> <pre><code>public function resultAction() { $this->_title($this->__('Printer Applicable Products')); $this ->loadLayout() ->_initLayoutMessages('checkout/session') ->_initLayoutMessages('catalog/session') $this->renderLayout(); } </code></pre> <p>You need to init a session model that contains needed messages.</p> <p>Also keep in mind that <strong>printer/finder/result.phtml</strong> should contain </p> <pre><code>$this->getMessagesBlock()->getGroupedHtml() </code></pre> |
10,980,861 | 0 | make draggable div property false in prototype <p>I have a div in prototype and it is draggable I want to make its draggable property false. How can I do it? Thanks.</p> <pre><code><div id="answer_0_3" class="dragndrop_0 foreign dropped_answer" >Notebook</div> </code></pre> <p>My draggables are as follows:</p> <pre><code>var draggables = []; $$('.answer.dragndrop_0').each(function(answer) { draggables.push( new Draggable( answer, {revert: 'failure', scroll: window} ) ); }); </code></pre> |
3,683,646 | 0 | <p>Besides helping you getting your job done it's a job of almost every framework out there. Check what <a href="http://rubyonrails.org" rel="nofollow noreferrer">Ruby on Rails</a>, <a href="http://www.djangoproject.com" rel="nofollow noreferrer">Django</a>, <a href="http://en.wikipedia.org/wiki/Java_Platform,_Enterprise_Edition" rel="nofollow noreferrer">Java EE</a> do and you'll see exactly what I'm trying to say.</p> <p>You may find it implemented more frequently in frameworks written in dynamic languages since they allow easy extension of the language by writing DLSs.</p> |
36,522,839 | 0 | <p>You'd need to use a different list for each checkpoint.</p> <p>Normally I would not recommend using stream operations to mutate state in this way, but for debugging purposes I think it's ok. In fact, as @BrianGoetz points out below, debugging was the reason why <code>peek</code> was added.</p> <pre><code>int[] nums = {3, -4, 8, 4, -2, 17, 9, -10, 14, 6, -12}; List<Integer> checkPoint1 = new ArrayList<>(); List<Integer> checkPoint2 = new ArrayList<>(); List<Integer> checkPoint3 = new ArrayList<>(); List<Integer> checkPoint4 = new ArrayList<>(); int sum = Arrays.stream(nums) .peek(checkPoint1::add) .map(n -> Math.abs(n)) .peek(checkPoint2::add) .filter(n -> n % 2 == 0) .peek(checkPoint3::add) .distinct() .peek(checkPoint4::add) .sum(); System.out.println(checkPoint1); System.out.println(checkPoint2); System.out.println(checkPoint3); System.out.println(checkPoint4); System.out.println(sum); </code></pre> <p>Output:</p> <pre><code>[3, -4, 8, 4, -2, 17, 9, -10, 14, 6, -12] [3, 4, 8, 4, 2, 17, 9, 10, 14, 6, 12] [4, 8, 4, 2, 10, 14, 6, 12] [4, 8, 2, 10, 14, 6, 12] 56 </code></pre> |
5,729,615 | 0 | <p>Doesn't seem to be possible without altering ASyncImageView or handling it with an observer.</p> |
40,109,590 | 0 | <p>Linking accounts requires that the user authenticates with each of those accounts.</p> <p>By signing in to an account/provider, the user proves they "own" that account at that provider. There is no way to link accounts without requiring the user to sign in to each account. </p> |
3,186,196 | 1 | Python+Scipy+Integration: dealing with precision errors in functions with spikes <p>I am trying to use scipy.integrate.quad to integrate a function over a very large range (0..10,000). The function is zero over most of its range but has a spike in a very small range (e.g. 1,602..1,618).</p> <p>When integrating, I would expect the output to be positive, but I guess that somehow quad's guessing algorithm is getting confused and outputting zero. What I would like to know is, is there a way to overcome this (e.g. by using a different algorithm, some other parameter, etc.)? I don't usually know where the spike is going to be, so I can't just split the integration range and sum the parts (unless somebody has a good idea on how to do that).</p> <p>Thanks!</p> <p>Sample output:</p> <pre><code>>>>scipy.integrate.quad(weighted_ftag_2, 0, 10000) (0.0, 0.0) >>>scipy.integrate.quad(weighted_ftag_2, 0, 1602) (0.0, 0.0) >>>scipy.integrate.quad(weighted_ftag_2, 1602, 1618) (3.2710994652983256, 3.6297354011338712e-014) >>>scipy.integrate.quad(weighted_ftag_2, 1618, 10000) (0.0, 0.0) </code></pre> |
17,453,450 | 0 | DNS server in country A and hosting in B <p>This is something where I get confused.. </p> <p>Say I acquired a domain name blabla.ge (ge is for Georgia) and hosting my files with US based hosting company. What are the downsides if any and is there an option to change the DNS server? </p> <p>Cheers!</p> |
33,650,274 | 0 | <pre><code><script> var key = "12k4353535352311"; var res = key.substring(0,4)+'-'+key.substring(4,12)+'-'+key.substring(12,16); //This contains 12k4-35353535-2311 </script> </code></pre> |
3,508,306 | 0 | <p>If you can use javascript, you can do it:</p> <pre><code>document.title </code></pre> |
9,248,137 | 0 | <p>Add a variable that keeps track of the current slide. </p> <pre><code>$("document").ready(function(){ var counter = 1; $("#back").click(function() { if( counter > 1 ) { $("#gallery").animate({"left": "+=104px"}, "slow"); counter--; } }); $("#forward").click(function(){ if( counter < 4 ) { $("#gallery").animate({"left": "-=104px"}, "slow"); counter++; } }); }); </code></pre> |
17,490,386 | 0 | <p>Check your log files (find them in your vhosts file or the sites-available files) to get the error. Your .htaccess appears to be fine.</p> |
8,325,114 | 0 | <p>This <a href="http://aduni.org/courses/algorithms/" rel="nofollow">course</a> on algorithms of aduni can also help</p> |
32,488,489 | 0 | <p>Okay, so first of all you will need to implement the <code>MouseListener</code> interface. You can either have your main class implement <code>MouseListener</code>, or attach a generic implementation to a <code>JPanel</code> via <code>addMouseListener()</code>. The latter method is described below:</p> <pre><code>public class MyPanel extends JPanel { public MyPanel() { // ... this.addMouseListener(new MouseListener() { @Override public void mouseClicked(MouseEvent e) { if (e.getButton() == MouseEvent.BUTTON1) { // Handle left-click } else if (e.getButton() == MouseEvent.BUTTON2) { // Handle right-click } } }); } } </code></pre> <p>You can also check <code>e.isShiftDown()</code> to see if the Shift key is being held.</p> |
16,039,492 | 0 | <p>This boils down to the way Vim behaves; when you close a window, Vim does not move to the last active window. Unfortunately, there's no way around this, as it isn't really viable to remember the "last active window" from Vim's perspective; window ids are not constant in vim, so there's no reliable way to script the exact behaviour you want.</p> |
1,414,562 | 0 | <p>In fact CoCreateGuid() calls <a href="http://msdn.microsoft.com/en-us/library/aa379205%28VS.85%29.aspx" rel="nofollow noreferrer">UuidCreate()</a>. The generated Data Types<a href="http://msdn.microsoft.com/en-us/library/aa379358%28VS.85%29.aspx" rel="nofollow noreferrer">(UUID,GUID)</a> are exactly the same. On Windows you can use both functions to create GUIDs</p> |
17,477,338 | 0 | How to resolve org.jboss.ws.WSException: Policy not supported in JBoss AS 4.2.? <p>I created a client web service from the following wsdl definition: </p> <pre><code><?xml version="1.0" encoding="utf-8"?> <wsdl:definitions name="DadosBiometricos" targetNamespace="http://tempuri.org/" xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/" xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/" xmlns:soapenc="http://schemas.xmlsoap.org/soap/encoding/" xmlns:wsu="http://docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-utility-1.0.xsd" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:soap12="http://schemas.xmlsoap.org/wsdl/soap12/" xmlns:tns="http://tempuri.org/" xmlns:wsa="http://schemas.xmlsoap.org/ws/2004/08/addressing" xmlns:wsp="http://schemas.xmlsoap.org/ws/2004/09/policy" xmlns:wsap="http://schemas.xmlsoap.org/ws/2004/08/addressing/policy" xmlns:wsaw="http://www.w3.org/2006/05/addressing/wsdl" xmlns:msc="http://schemas.microsoft.com/ws/2005/12/wsdl/contract" xmlns:wsa10="http://www.w3.org/2005/08/addressing" xmlns:wsx="http://schemas.xmlsoap.org/ws/2004/09/mex" xmlns:wsam="http://www.w3.org/2007/05/addressing/metadata"> <wsp:Policy wsu:Id="WSHttpBinding_IDadosBiometricos_policy"> <wsp:ExactlyOne> <wsp:All> <sp:TransportBinding xmlns:sp="http://schemas.xmlsoap.org/ws/2005/07/securitypolicy"> <wsp:Policy> <sp:TransportToken> <wsp:Policy> <sp:HttpsToken RequireClientCertificate="false" /> </wsp:Policy> </sp:TransportToken> <sp:AlgorithmSuite> <wsp:Policy> <sp:Basic256 /> </wsp:Policy> </sp:AlgorithmSuite> <sp:Layout> <wsp:Policy> <sp:Strict /> </wsp:Policy> </sp:Layout> </wsp:Policy> </sp:TransportBinding> <wsaw:UsingAddressing /> </wsp:All> </wsp:ExactlyOne> </wsp:Policy> <wsdl:types> <xsd:schema targetNamespace="http://tempuri.org/Imports"> <xsd:import schemaLocation="https://dadosbiometricos.valid.com.br/DadosBiometricos.svc?xsd=xsd0" namespace="http://tempuri.org/" /> <xsd:import schemaLocation="https://dadosbiometricos.valid.com.br/DadosBiometricos.svc?xsd=xsd1" namespace="http://schemas.microsoft.com/2003/10/Serialization/" /> <xsd:import schemaLocation="https://dadosbiometricos.valid.com.br/DadosBiometricos.svc?xsd=xsd2" namespace="http://schemas.datacontract.org/2004/07/B2G_DetranGO_Biometrico" /> </xsd:schema> </wsdl:types> <wsdl:message name="IDadosBiometricos_ConsultarBiometria_InputMessage"> <wsdl:part name="parameters" element="tns:ConsultarBiometria" /> </wsdl:message> <wsdl:message name="IDadosBiometricos_ConsultarBiometria_OutputMessage"> <wsdl:part name="parameters" element="tns:ConsultarBiometriaResponse" /> </wsdl:message> <wsdl:portType msc:usingSession="false" name="IDadosBiometricos"> <wsdl:operation name="ConsultarBiometria"> <wsdl:input wsaw:Action="http://tempuri.org/IDadosBiometricos/ConsultarBiometria" message="tns:IDadosBiometricos_ConsultarBiometria_InputMessage" /> <wsdl:output wsaw:Action="http://tempuri.org/IDadosBiometricos/ConsultarBiometriaResponse" message="tns:IDadosBiometricos_ConsultarBiometria_OutputMessage" /> </wsdl:operation> </wsdl:portType> <wsdl:binding name="WSHttpBinding_IDadosBiometricos" type="tns:IDadosBiometricos"> wsp:PolicyReference URI="#WSHttpBinding_IDadosBiometricos_policy" /> <soap12:binding transport="http://schemas.xmlsoap.org/soap/http" /> <wsdl:operation name="ConsultarBiometria"> <soap12:operation soapAction="http://tempuri.org/IDadosBiometricos/ConsultarBiometria" style="document" /> <wsdl:input> <soap12:body use="literal" /> </wsdl:input> <wsdl:output> <soap12:body use="literal" /> </wsdl:output> </wsdl:operation> </wsdl:binding> <wsdl:service name="DadosBiometricos"> <wsdl:port name="WSHttpBinding_IDadosBiometricos" binding="tns:WSHttpBinding_IDadosBiometricos"> <soap12:address location="https://dadosbiometricos.valid.com.br/DadosBiometricos.svc" /> <wsa10:EndpointReference> <wsa10:Address>https://dadosbiometricos.valid.com.br/DadosBiometricos.svc </wsa10:Address> </wsa10:EndpointReference> </wsdl:port> </wsdl:service> </wsdl:definitions>** </code></pre> <p>When i try instantiate a new DadosBiometricosValid() throws an exception at constructor:</p> <pre><code>16:25:02,296 ERROR [PolicyDeployer] Unsupported assertion! 16:25:02,297 INFO [STDOUT] 16:25:02,297 ERROR [root] Policy not supported! #WSHttpBinding_IDadosBiometricos_policy org.jboss.ws.WSException: Policy not supported! #WSHttpBinding_IDadosBiometricos_policy at org.jboss.ws.WSException.rethrow(WSException.java:60) at org.jboss.ws.extensions.policy.metadata.PolicyMetaDataBuilder.deployPolicyClientSide(PolicyMetaDataBuilder.java:319) at org.jboss.ws.extensions.policy.metadata.PolicyMetaDataBuilder.deployPolicy(PolicyMetaDataBuilder.java:277) at org.jboss.ws.extensions.policy.metadata.PolicyMetaDataBuilder.processPolicies(PolicyMetaDataBuilder.java:236) at org.jboss.ws.extensions.policy.metadata.PolicyMetaDataBuilder.processPolicyExtensions(PolicyMetaDataBuilder.java:193) at org.jboss.ws.metadata.builder.jaxws.JAXWSClientMetaDataBuilder.buildMetaData(JAXWSClientMetaDataBuilder.java:94) at org.jboss.ws.core.jaxws.spi.ServiceDelegateImpl.<init>(ServiceDelegateImpl.java:140) at org.jboss.ws.core.jaxws.spi.ProviderImpl.createServiceDelegate(ProviderImpl.java:64) at javax.xml.ws.Service.<init>(Service.java:81) at gov.goias.valid.servico.DadosBiometricosValid.<init>(DadosBiometricosValid.java:47) at gov.goias.biometria.detran.ServicoValid.consultarBiometria(ServicoValid.java:43) at gov.goias.biometria.detran.ServicoValid.consultaBiometria(ServicoValid.java:37) at gov.goias.controle.detran.SalvarBiometria.salvarBiometria(SalvarBiometria.java:22) at gov.goias.controle.detran.SalvarBiometria.exec(SalvarBiometria.java:35) at gov.goias.controle.detran.ControllerDetran.doGet(ControllerDetran.java:44) at javax.servlet.http.HttpServlet.service(HttpServlet.java:690) at javax.servlet.http.HttpServlet.service(HttpServlet.java:803) at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:290) at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206) at org.jboss.web.tomcat.filters.ReplyHeaderFilter.doFilter(ReplyHeaderFilter.java:96) at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:235) at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206) at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:230) at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:175) at org.jboss.web.tomcat.security.SecurityAssociationValve.invoke(SecurityAssociationValve.java:182) at org.jboss.web.tomcat.security.JaccContextValve.invoke(JaccContextValve.java:84) at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:127) at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:102) at org.jboss.web.tomcat.service.jca.CachedConnectionValve.invoke(CachedConnectionValve.java:157) at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:109) at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:262) at org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:844) at org.apache.coyote.http11.Http11Protocol$Http11ConnectionHandler.process(Http11Protocol.java:583) at org.apache.tomcat.util.net.JIoEndpoint$Worker.run(JIoEndpoint.java:446) at java.lang.Thread.run(Thread.java:662) Caused by: org.jboss.ws.extensions.policy.deployer.exceptions.UnsupportedPolicy at org.jboss.ws.extensions.policy.deployer.PolicyDeployer.deployClientSide(PolicyDeployer.java:173) at org.jboss.ws.extensions.policy.metadata.PolicyMetaDataBuilder.deployPolicyClientSide(PolicyMetaDataBuilder.java:310) ... 33 more </code></pre> <p>My class is :</p> <pre><code>/** * This class was generated by the JAX-WS RI. * JAX-WS RI 2.1.3-b02- * Generated source version: 2.1 * */ @WebServiceClient(name = "DadosBiometricos", targetNamespace = "http://tempuri.org/", wsdlLocation = "https://dadosbiometricos.valid.com.br/DadosBiometricos.svc?wsdl") public class DadosBiometricosValid extends Service { private final static URL DADOSBIOMETRICOS_WSDL_LOCATION; private final static Logger logger = Logger.getLogger(DadosBiometricosValid.class.getName()); static { URL url = null; try { URL baseUrl; baseUrl =DadosBiometricosValid.class.getResource("."); url = new URL(baseUrl, "https://dadosbiometricos.valid.com.br/DadosBiometricos.svc?wsdl"); } catch (MalformedURLException e) { logger.warning("Failed to create URL for the wsdl Location: 'https://dadosbiometricos.valid.com.br/DadosBiometricos.svc?wsdl', retrying as a local file"); logger.warning(e.getMessage()); } DADOSBIOMETRICOS_WSDL_LOCATION = url; } public DadosBiometricosValid(URL wsdlLocation, QName serviceName) { super(wsdlLocation, serviceName);//line that throws exception } public DadosBiometricosValid() { super(DADOSBIOMETRICOS_WSDL_LOCATION, new QName("http://tempuri.org/", "DadosBiometricos")); } /** * * @return * returns IDadosBiometricos */ @WebEndpoint(name = "WSHttpBinding_IDadosBiometricos") public IDadosBiometricosValid getWSHttpBindingIDadosBiometricos() { return super.getPort(new QName("http://tempuri.org/", "WSHttpBinding_IDadosBiometricos"), IDadosBiometricosValid.class); } /** * * @param features * A list of {@link javax.xml.ws.WebServiceFeature} to configure on the proxy. Supported features not in the <code>features</code> parameter will have their default values. * @return * returns IDadosBiometricos */ @WebEndpoint(name = "WSHttpBinding_IDadosBiometricos") public IDadosBiometricosValid getWSHttpBindingIDadosBiometricos(WebServiceFeature... features) { return super.getPort(new QName("http://tempuri.org/", "WSHttpBinding_IDadosBiometricos"), IDadosBiometricosValid.class, features); } } </code></pre> |
7,229,396 | 0 | how to avoid the repeated code to increase the efficiency <p>I have a <code>DataGrid</code> view1 and a <code>ListView</code> and when ever I select the list view item(I am passing the <code>ListView</code> item into the query and populating the <code>DataGrid</code> view according that item) </p> <p>I have wrote some code like this....</p> <pre><code> private void listview_selectedindexchanged(object sender event args) { if (listview.SelectedItems.Count > 0 && listview.SelectedItems[0].Group.Name == "abc") { if(lstview.SelectedItems[0].Text.ToString() == "sfs") { method1(); } else { // datagrid view1 binding blah..... } } if (lstview.SelectedItems.Count > 0 && lstview.SelectedItems[0].Group.Name == "def") { if(lstview.SelectedItems[0].Text.ToString() == "xyz") { method 1(); } if(lstview.SelectedItems[0].Text.ToString() == "ghi") { method 2(a,b); } if(lstview.SelectedItems[0].Text.ToString() == "jkl") { method 2(c,d); } if(lstview.SelectedItems[0].Text.ToString() == "mno") { method 3(); } } } private void method 1() { // datagrid view1 binding blahh } private void method 2(e,g) { // datagrid view1 binding blah....blah.. } private void method 3() { // datagrid view1 binding } </code></pre> <p>I have done it like above ... I think this is not an efficient way to do the coding. and this code consisits of a lot of repeated lines, is there any way to refractor this code to a small bunch of code ...... in order improve the efficiency? </p> <p>Any ideas and sample snippets for increasing code efficiency would be helpful to me ...</p> <p>Many thanks in advance....</p> <p>I am using c# and writting WinForms applications.....</p> |
3,408,956 | 0 | <p>The significant location change is present in Android SDK</p> <p>when you subscribe to get location updates you can add a <code>minTime</code> and <code>minDistance</code> that must pass between broadcasts</p> <pre><code>public void requestLocationUpdates (String provider, long minTime, float minDistance, LocationListener listener) </code></pre> <p>check out the description of the method [here][1]</p> <p>[1]: <a href="http://developer.android.com/reference/android/location/LocationManager.html#requestLocationUpdates(java.lang.String" rel="nofollow noreferrer">http://developer.android.com/reference/android/location/LocationManager.html#requestLocationUpdates(java.lang.String</a>, long, float, android.location.LocationListener)</p> |
29,465,283 | 0 | ObjC macro ifdef and defined <p>I'm trying to do a macro where if AAA and BBB does not exists. Something like this:</p> <pre><code>#ifdef !AAA && !BBB #endif </code></pre> <p>or this:</p> <pre><code>#ifndef AAA || BBB #endif </code></pre> <p>However, Xcode is throwing me errors, so I've tried <code>#ifdef !(defined AAA) && !(defined BBB)</code> or some other such combinations and it seems like Xcode doesn't seems to understand defined. I'm getting "Macro names must be identifiers" or "Extra tokens at the end of #ifdef directive" errors.</p> <p>Any idea how I could workaround this problem?</p> |
27,177,339 | 0 | <p>I had the same issue. It turned out that my new MySQL DB had an issue.</p> <p>I restored the DB with innobackupex and didn't apply the <code>--apply-log</code> parameter on the backup directory to create the correct log files for the InnoDB engine.</p> <p>Check your MySQL error log file to make sure that everything is normal. The log file's location is <code>/var/log/mysql/[hostname].err</code>.</p> |
20,157,755 | 0 | <p>I never got this to work under Grails 2.1.1, but apparently this was fixed in <a href="http://grails.org/doc/2.3.x/guide/introduction.html#whatsNew23" rel="nofollow">Grails 2.3</a>,</p> <blockquote> <p>Binding Request Body To Command Objects If a request is made to a controller action which accepts a command object and the request includes a body, the body will be parsed and used to do data binding to the command object. This simplifies use cases where a request includes a JSON or XML body (for example) that can be bound to a command object. See the Command Objects documentation for more details.</p> </blockquote> |
12,578,159 | 0 | <p>The following set of commands should get you into an identical state with the remote branch:</p> <pre><code>git checkout -f master # Check out the local 'master' branch git fetch origin # Fetch the 'origin' remote git reset --hard origin/master # Reset all tracked files to remote state git clean -dxff # Remove all non-tracked files </code></pre> <p>Note that (for obvious reasons), these commands are potentially destructive - that is, any local changes that are overwritten by this and not saved in a commit accessible by some other means will be lost.</p> |
5,050,788 | 0 | <p>You usually have two actions on the controller: one for rendering the form and one for processing the posted form values. Typically it looks like this:</p> <pre><code>public class SellerController: Controller { // used to render the form allowing to create a new seller public ActionResult Create() { var seller = new Seller(); return View(seller); } // used to handle the submission of the form // the seller object passed as argument will be // automatically populated by the default model binder // from the POSTed form request parameters [HttpPost] public ActionResult Create(Seller seller) { if (ModelState.IsValid) { listingsDB.Sellers.AddObject(seller); listingsDB.SaveChanges(); return RedirectToAction("Details", new { id = seller.SellerID }); } return View(seller); } } </code></pre> <p>then your view looks as you have shown, it contains a form and input fields allowing the user to fill each property of the model. When it submits the form, the second action will be invoked and the default model binder will automatically fill the action parameter with the values entered by the user in the form.</p> |
26,487,825 | 0 | <p>It seems that bug is due to mezzanine app, I'm using <a href="https://github.com/stephenmcd/mezzanine/issues/1132" rel="nofollow">https://github.com/stephenmcd/mezzanine/issues/1132</a></p> |
20,867,760 | 0 | Empty fields when I execute the select query <p>I have table <code>tableq</code> with columns lets say; a, b, c, d, e, f. in column <code>f</code> null values are allowed of which there are some null field in column <code>f</code>.</p> <p>Now I want to select a,b,c,d,e columns where <code>f</code> is null. Like this: </p> <pre><code>select a, b, c, d, e from tableq where f isnull </code></pre> <p>But it is returning empty fields when I run the query whereas there are 3 rows with null values in f column.</p> |
13,253,311 | 0 | <p>The Exception is occurring when <code>MediaPlayer</code> in package <code>mediaplayer</code> calls for an embedded resource at <code>"icons/exit.png"</code>. This would resolve to a path of:</p> <pre><code>mediaplayer/icons/exit.png </code></pre> <p>I am guessing that is not the path, which is <em>actually</em>.</p> <pre><code>icons/exit.png </code></pre> <hr> <p>That is why the <code>String</code> needs to be <strong><code>"/icons/exit.png"</code></strong> - note the <strong><code>/</code> prefix.</strong></p> <p>The <code>/</code> that precedes the <code>String</code> informs the class-loader that we mean it to search for the resource from the root of the class path, as opposed to the package of the class from which it is called.</p> |
10,003,354 | 0 | <p>You can use the <code>sys</code> module...</p> <pre><code>import sys myFile=sys.stdout myFile.write("Hello!\n") </code></pre> <p><code>sys.stderr</code> is also available.</p> |
7,267,570 | 0 | How to deploy unversioned files with TeamCity <p>I have a website organized like this :</p> <ul> <li>a server with all the code</li> <li>a server with all the other ressources like files/images </li> </ul> <p>At this point I managed to get the source code from subversion, build it, and then deploy it (msbuild).</p> <p>The thing is, my images are not versioned. So how can I do to take the images from our dev server to our build server ? What is the best way to put it into Team City ? I think that these files re some kind of artifact but I'm not sure (I don't understand very well this notion, the title "artifact" doesn't help).</p> |
10,925,210 | 0 | How can I conditionally suppress logging in Express (or Connect)? <p>When using the logger middleware which is part of Connect (as well as Express), I would like to be able to disable logging on certain requests, say by setting a flag on the response or something.</p> <p>I managed to do it by saying:</p> <pre><code>res.doNotLog = true; </code></pre> <p>and then, deep in logger.js (part of the Connect module), I put</p> <pre><code>if(res.doNotLog) return; </code></pre> <p>in the right place. But of course I don't want to be modifying code in the module itself. Is there any way I can cause the same to happen without having to hack the module?</p> <p><strong>Edit:</strong></p> <p>This worked:</p> <pre><code>var app = _express.createServer(); // set 'hello' routing...note that this is before middleware // so it won't be logged app.get('/sayhello', function(req, res) {res.send("hey");}); // configure middleware: logging, static file serving app.configure(function() { app.use(_express.logger()); app.use(_express.static(__dirname + '/www')); }); // set 'goodbye' routing...note that this is after middleware // so it will be logged app.get('/saygoodbye', function(req, res) {res.send("later...");}); </code></pre> |
33,682,821 | 0 | <p>I hope these php scripts can help you:</p> <p>Order SSL Certificates</p> <pre><code> <?php /** * Order SSL certificate * * This script orders a SSL Certificate * * Important manual pages: * @see http://sldn.softlayer.com/reference/services/SoftLayer_Product_Order/placeOrder * @see http://sldn.softlayer.com/reference/datatypes/SoftLayer_Container_Product_Order * @see http://sldn.softlayer.com/reference/datatypes/SoftLayer_Container_Product_Order_Security_Certificate * * @license <http://sldn.softlayer.com/wiki/index.php/license> * @author SoftLayer Technologies, Inc. <[email protected]> */ require_once "C:/PhpSoftLayer/SoftLayer/SoftLayer/XmlrpcClient.class.php"; /** * Your SoftLayer API username * @var string */ $username = "set me"; /** * Your SoftLayer API key * Generate one at: https://control.softlayer.com/account/users * @var string */ $apiKey = "set me"; // Create a SoftLayer API client object for "SoftLayer_Product_Order" services $productService = Softlayer_XmlrpcClient::getClient("SoftLayer_Product_Order", null, $username, $apiKey); /** * Define SSL Certificates Properties * @var int $quantity * @var int $packageId * @var int $serverCount * @var int $validityMonths * @var string $orderApproverEmailAddress * @var string $serverType */ $quantity = 1; $packageId = 210; $serverCount = 1; $validityMonths = 24; $serverType = "apache2"; $orderApproverEmailAddress = "[email protected]"; /** * Build a skeleton SoftLayer_Container_Product_Order_Attribute_Contact object for administrativeContact, * billingContact, technicalContact and organizationInformation properties. You can use the same information * for all of these properties, or you can create this object for each one. * @var string addressLine1 * @var string city * @var string countryCode * @var string postalCode * @var string state * @var string email * @var string firstName * @var string lastName * @var string organizationName * @var string phoneNumber * @var string title */ $addressInfo = new stdClass(); $addressInfo -> address = new stdClass(); $addressInfo -> address -> addressLine1 = "Simon Lopez Av."; $addressInfo -> address -> city = "Cochabamba"; $addressInfo -> address -> countryCode = "BO"; $addressInfo -> address -> postalCode = "0591"; $addressInfo -> address -> state = "OT"; $addressInfo -> emailAddress = "[email protected]"; $addressInfo -> firstName = "Ruber"; $addressInfo -> lastName = "Cuellar"; $addressInfo -> organizationName = "TestCompany"; $addressInfo -> phoneNumber = "7036659886"; $addressInfo -> title = "TitleTest"; /** * Define a collection of SoftLayer_Product_Item_Price objects. You can verify the item available for a given package using * SoftLayer_Product_Package::getItemPrices method * @see http://sldn.softlayer.com/reference/services/SoftLayer_Product_Package/getItemPrices */ $price = new stdClass(); $price->id = 1836; /** * Declare the CSR * @var string */ $certificateSigningRequest = "-----BEGIN CERTIFICATE REQUEST----- MIIC8TCCAdkCAQAwgasxCzAJBgNVBAYTAkNaMR8wHQYDVQQIExZDemVjaCBSZXB1 YmxpYywgRXVyb3BlMRQwEgYDVQQHEwtQcmFndWUgQ2l0eTEWMBQGA1UEChMNTXkg VW5saW1pbnRlZDEMMAoGA1UECxMDVlBOMRQwEgYDVQQDEwtydWJ0ZXN0LmNvbTEp MCcGCSqGSIb3DQEJARYacnViZXIuY3VlbGxhckBqYWxhc29mdC5jb20wggEiMA0G CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDnusRc9LDjfm21A/fz1UhuMoUqkeji BX/oTXsD/GmRaraOb0QnzjGoaM2K07nMENpQiJRpmEj3tEKwAXNitlapLwlXFvB7 rVd9lkvGmCIEkkDp5nbsdejS7BqJ8ikgEI+HATmdoyi9jxWrM/i6c9pnhF4j9ejI XQnxd3yvpuxgybF3tN+HOOpXwVH4FQC7x/FRRai8jNxd2f+VzW7EgtIYxgl3L8gr 4DPPAAiX07lEAccEEUhQ3/LbTlSPiT0hiGh8tMcImYFDDyGOIRJKXSptuvYgwHRC 67D6fzT4ITtG2XMkzo5kgyZtwemRiikAzVbmtEFKwht0j0Q+3nf1Yv2BAgMBAAGg ADANBgkqhkiG9w0BAQUFAAOCAQEAJCRjsdmVhcM+mKbG8NE4YdDyBfKvC03g/mCn wWZWca1uRbYeJUNH2/LFy9tQ/8J07Cx0KcPmRnHbXkZaSMHsorv4sg6M3XDRaIiu D/ltOZYlGYC1zFVM+pgiQd84krO0lTf/NiJxyyL3e3owO91h07jPuGGFygSOeKZa cMMNdLQlPfZIS+hwZUuJSgormGhr+dfPkHbjP3l3X+uO59VNE+1zHTctCqooyCRa HrHFjNbVD4Ou7Ff6B0LUiw9I54jH69MrtxdrsF+kvOaa44fN1NjqlM1sI4ZQs0O1 15B5NKrFMxG+5BrZYL7n8qEzra7WYFVrebjKexQqSBi4B6XU+g== -----END CERTIFICATE REQUEST-----"; /* * Build a skeleton SoftLayer_Container_Product_Order object with details required to order */ $container = new stdClass(); $container -> complexType = "SoftLayer_Container_Product_Order_Security_Certificate"; $container -> packageId = $packageId; $container -> quantity = $quantity; $container -> serverCount = $serverCount; $container -> serverType = $serverType; $container -> prices = array($price); $container -> certificateSigningRequest = $certificateSigningRequest; $container -> validityMonths = $validityMonths; $container -> orderApproverEmailAddress = $orderApproverEmailAddress; // technicalContact, administrativeContact, organizationInformation and billingContact $container -> technicalContact = $addressInfo; $container -> administrativeContact = $addressInfo; $container -> organizationInformation = $addressInfo; $container -> billingContact = $addressInfo; $order = new stdClass(); $order->orderContainers = array(); $order->orderContainers[0] = $container; try { /* * SoftLayer_Product_Order::verifyOrder() method will check your order for errors. Replace this with a call * to placeOrder() when you're ready to order. Both calls return a receipt object that you can use for your * records. */ $result = $productService -> verifyOrder($order); print_r($result); } catch(Exception $e) { echo "Unable to order SSL Certificates: " . $e -> getMessage(); } </code></pre> <p>Order Firewall Device</p> <pre><code><?php /** * Order dedicated Firewall for a Device (Virtual Guest) * Important manual pages: * http://sldn.softlayer.com/reference/datatypes/SoftLayer_Container_Product_Order_Network_Protection_Firewall_Dedicated * http://sldn.softlayer.com/reference/datatypes/SoftLayer_Product_Item_Price * http://sldn.softlayer.com/reference/services/SoftLayer_Product_Order/verifyOrder * http://sldn.softlayer.com/reference/services/SoftLayer_Product_Order/placeOrder * * License <http://sldn.softlayer.com/article/License> * Author SoftLayer Technologies, Inc. <[email protected]> */ require_once "C:/PhpSoftLayer/SoftLayer/SoftLayer/SoapClient.class.php"; /** * Your SoftLayer API username * @var string */ $username = "set me"; /** * Your SoftLayer API key * Generate one at: https://control.softlayer.com/account/users * @var string */ $apiKey = "set me"; // Define the virtual guest Id that you wish to add the firewall $virtualGuestId = 5074554; // Creating a SoftLayer API client object $softLayerProductOrder = SoftLayer_SoapClient::getClient('SoftLayer_Product_Order', null, $username, $apiKey); /** * Building a skeleton SoftLayer_Product_Item_Price objects. These objects contain * much more than ids, but SoftLayer's ordering system only needs the price's id * to know what you want to order. * to get the list of valid prices for the package * use the SoftLayer_Product_Package:getItems method */ $prices = array ( 409, # Price to 100Mbps Hardware Firewall ); /** * Convert our item list into an array of skeleton * SoftLayer_Product_Item_Price objects. */ $orderPrices = array(); foreach ($prices as $priceId){ $price = new stdClass(); $price->id = $priceId; $orderPrices[] = $price; } // Define location, packageId and quantity $location = "AMSTERDAM"; $packageId = 0; // The package Id for order monitoring packages is 0 $quantity = 1; // Build a skeleton SoftLayer_Virtual_Guest object to model the id // of the virtual guest where you want add the monitoring package $virtualGuests = new stdClass(); $virtualGuests->id = $virtualGuestId; $orderVirtualGuest = array ( $virtualGuests ); // Build a SoftLayer_Container_Product_Order_Network_Protection_Firewall_Dedicated object containing // the order you wish to place. $orderContainer = new stdClass(); $orderContainer->location = $location; $orderContainer->packageId = $packageId; $orderContainer->prices = $orderPrices; $orderContainer->quantity = $quantity; $orderContainer->virtualGuests = $orderVirtualGuest; try { // Re-declare the order template as a SOAP variable, so the SoftLayer // ordering system knows what type of order you're placing. $orderTemplate = new SoapVar ( $orderContainer, SOAP_ENC_OBJECT, 'SoftLayer_Container_Product_Order_Network_Protection_Firewall', 'http://api.service.softlayer.com/soap/v3.1/' ); /* * SoftLayer_Product_Order::verifyOrder() method will check your order for errors. Replace this with a call * to placeOrder() when you're ready to order. Both calls return a receipt object that you can use for your * records. */ $receipt = $softLayerProductOrder->verifyOrder($orderTemplate); print_r($receipt); } catch (Exception $e) { echo 'Unable to order the firewall for device: ' . $e->getMessage(); } </code></pre> <p>Firewall for VLAN</p> <pre><code><?php /** * Order Firewall for a VLAN * Important manual pages: * http://sldn.softlayer.com/reference/datatypes/SoftLayer_Container_Product_Order_Network_Protection_Firewall_Dedicated * http://sldn.softlayer.com/reference/datatypes/SoftLayer_Product_Item_Price * http://sldn.softlayer.com/reference/services/SoftLayer_Product_Order/verifyOrder * http://sldn.softlayer.com/reference/services/SoftLayer_Product_Order/placeOrder * * License <http://sldn.softlayer.com/article/License> * Author SoftLayer Technologies, Inc. <[email protected]> */ require_once "C:/PhpSoftLayer/SoftLayer/SoftLayer/SoapClient.class.php"; /** * Your SoftLayer API username * @var string */ $username = "set me"; /** * Your SoftLayer API key * Generate one at: https://control.softlayer.com/account/users * @var string */ $apiKey = "set me"; // Create a SoftLayer API client object for "SoftLayer_Product_Order" services $softLayerProductOrder = Softlayer_SoapClient::getClient("SoftLayer_Product_Order", null, $username, $apiKey); // Declare the vlan id that you wish to add the firewall $vlanId = 765032; /** * Building a skeleton SoftLayer_Product_Item_Price objects. These objects contain * much more than ids, but SoftLayer's ordering system only needs the price's id * to know what you want to order. * to get the list of valid prices for the package * use the SoftLayer_Product_Package:getItemPrices method */ $prices = array ( 2390, // Hardware Firewall (Dedicated) //21514, FortiGate Security Appliance ); /** * Convert our item list into an array of skeleton * SoftLayer_Product_Item_Price objects. */ $orderPrices = array(); foreach ($prices as $priceId){ $price = new stdClass(); $price->id = $priceId; $orderPrices[] = $price; } // Declare the location, packageId and quantity $location = "AMSTERDAM"; $packageId = 0; // The package Id for order Firewalls $quantity = 1; // Build a SoftLayer_Container_Product_Order_Network_Protection_Firewall_Dedicated object containing // the order you wish to place. $orderContainer = new stdClass(); $orderContainer->location = $location; $orderContainer->packageId = $packageId; $orderContainer->prices = $orderPrices; $orderContainer->quantity = $quantity; $orderContainer-> vlanId = $vlanId; try { // Re-declare the order template as a SOAP variable, so the SoftLayer // ordering system knows what type of order you're placing. $orderTemplate = new SoapVar ( $orderContainer, SOAP_ENC_OBJECT, 'SoftLayer_Container_Product_Order_Network_Protection_Firewall_Dedicated', 'http://api.service.softlayer.com/soap/v3/' ); /* * SoftLayer_Product_Order::verifyOrder() method will check your order for errors. Replace this with a call * to placeOrder() when you're ready to order. Both calls return a receipt object that you can use for your * records. */ $receipt = $softLayerProductOrder->verifyOrder($orderTemplate); print_r($receipt); } catch (Exception $e) { echo 'Unable to place the order: ' . $e->getMessage(); } </code></pre> <p>Order Security Software (Anti Virus)</p> <pre><code><?php /** * Purchase an Anti-virus for a server * * Important manual pages: * @see http://sldn.softlayer.com/reference/services/SoftLayer_Ticket * @see http://sldn.softlayer.com/reference/services/SoftLayer_Ticket/createUpgradeTicket * * @license <http://sldn.softlayer.com/wiki/index.php/license> * @author SoftLayer Technologies, Inc. <[email protected]> */ require_once "C:/PhpSoftLayer/SoftLayer/SoftLayer/SoapClient.class.php"; /** * Your SoftLayer API username * @var string */ $username = "set me"; /** * Your SoftLayer API key * Generate one at: https://control.softlayer.com/account/users * @var string */ $apiKey = "set me"; /** * Define the hardware id where you wish to add the McAfee ANtivirus * @var int $attachmentId */ $attachmentId = 251708; // Define a brief description of what you wish to upgrade $genericUpgrade = "Add / Upgrade Software"; // $upgradeMaintenanceWindow = "9.30.2015 (Wed) 01:00(GMT-0600) - 04:00(GMT-0600)"; // Declare a detailed description of the server or account upgrade you wish to perform $details ="I would like additional information on adding McAfee AntiVirus (5$.00 monthly) to my account."; // Declare the attachmentType e.g. HARDWARE - VIRTUAL_GUEST - NONE $attachmentType = "HARDWARE"; // Create a SoftLayer API client object for "SoftLayer_Ticket" service $ticketService = SoftLayer_SoapClient::getClient("SoftLayer_Ticket", null, $username, $apiKey); try { $result = $ticketService -> createUpgradeTicket($attachmentId, $genericUpgrade, $upgradeMaintenanceWindow, $details, $attachmentType); print_r($result); } catch(Exception $e) { echo "Unable to create the ticket: " . $e -> getMessage(); } </code></pre> |
18,229,771 | 0 | <p>You should be able to use any of the fields in product data in the admin panel such as Location that you already referenced.</p> <p>Everything from the <code>product</code> table for your requested row should be present in the <code>$product_info</code> array.</p> <p>Try something like this:</p> <pre><code>$template = ($product_info['location'] == 'accessory') ? 'accessory.tpl' : 'product.tpl'; if (file_exists(DIR_TEMPLATE . $this->config->get('config_template') . '/template/product/' . $template)) { $this->template = $this->config->get('config_template') . '/template/product/' . $template; } else { $this->template = 'default/template/product/' . $template; } </code></pre> <p>If you anticipate there will be many different templates for different locations it would be more efficient to use a switch control.</p> <pre><code>switch ($product_info['location']): case 'accessory': $template = 'accessory.tpl'; break; case 'tool': $template = 'tool.tpl'; break; default: $template = 'product.tpl'; break; endswitch; if (file_exists(DIR_TEMPLATE . $this->config->get('config_template') . '/template/product/' . $template)) { $this->template = $this->config->get('config_template') . '/template/product/' . $template; } else { $this->template = 'default/template/product/' . $template; } </code></pre> <p>Hope that helps.</p> |
24,533,397 | 0 | <p>When the server is restarted it loses the connections of all the connected publishers and subscribers just like any other server, so obviously the live stream sources for the hls streams will be gone. The segments themselves only exist up to the maximum segment count per stream, this could be set to some really large number to keep all the segments and thus providing a vod type stream. As the creator of the plug-in, I don't recall if vod is supported out-of-the-box, so you'll have to do a little discovery there. </p> |
8,678,625 | 0 | <p>Put the complete code in brackets : </p> <pre><code>- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath { static NSString *SimpleTableIdentifier = @"SimpleTableIdentifier"; NSArray *listData =[self->tableContents objectForKey: [self->sortedKeys objectAtIndex:[indexPath section]]]; UITableViewCell * cell = [tableView dequeueReusableCellWithIdentifier: SimpleTableIdentifier]; if(cell == nil) { cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:SimpleTableIdentifier]; NSUInteger row = [indexPath row]; textClass *myText = (textClass*)[listData objectAtIndex:row]; cell.textLabel.text = myText.text; UIImageView *unchecked = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"unchecked.png"]]; UIImageView *checked = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"checked.png"]]; cell.accessoryView = (myText.isChecked ? checked : unchecked); } return cell; } </code></pre> <p>This should definitely work.</p> |
24,005,181 | 0 | <p>I got the same problem using Robomongo. I solve it creating the function manually on shell.</p> <p>Right-click on your database -> Open Shell.</p> <pre><code>db.system.js.save({ _id : "getNextSequence" , value : function (name) { var ret = db.counters.findAndModify({ query: { _id: name }, update: { $inc: { seq: 1 } }, new: true }); return ret.seq; } }); </code></pre> |
13,408,052 | 0 | <p>You need to traverse to the sibling <code>a</code> since that's where your image is</p> <pre><code>$(this).parent().unbind("mouseenter").siblings('a').children("img").attr("src", "http://www.onlinegrocerystore.co.uk/images/goodfood.jpg"); </code></pre> <p><a href="http://jsfiddle.net/WAvVw/" rel="nofollow">http://jsfiddle.net/WAvVw/</a> </p> <p><b>EDIT</b></p> <p>You need to traverse to get the element which you bound hover to</p> <pre><code>$(this) .closest('.specialHoverOne') // get element you bound hover to .unbind("mouseenter") // unbind event .end() // start over at this .parent() // get parent .siblings('a') //find a sibling .children("img") // get children img .attr("src", "http://www.onlinegrocerystore.co.uk/images/goodfood.jpg"); // change src </code></pre> <p><a href="http://jsfiddle.net/mwPeb/" rel="nofollow">http://jsfiddle.net/mwPeb/</a> </p> <p>I'm sure there's a better way to traverse but I'm short on time right now </p> |
16,547,451 | 0 | <p>I'd like to recommend these:</p> <ol> <li><p>Add the namespace to your class file. using System.Net.Mail;</p></li> <li><p>Provide arguments when you call the function (SendMailMessage).</p></li> <li><p>Make class SendMail as a static class, SendMailMessage as static function.</p></li> </ol> |
27,579,834 | 0 | java.lang.IllegalStateException: YouTubeServiceEntity not initialized error when using YouTubePlayerApi <p>I'm using YouTubePlayerAPi and YouTubePlayerSupportFragment in my app and i'm getting this error reported, but i can't find out what is causing it. I've looking for information but there is no much about...</p> <p>In The stackstrace there is any line error pointing to any of my classes or activities... </p> <p>Any idea of it?</p> <pre><code>java.lang.IllegalStateException: YouTubeServiceEntity not initialized at android.os.Parcel.readException(Parcel.java:1433) at android.os.Parcel.readException(Parcel.java:1379) at com.google.android.youtube.player.internal.l$a$a.a(Unknown Source) at com.google.android.youtube.player.internal.o.a(Unknown Source) at com.google.android.youtube.player.internal.ad.a(Unknown Source) at com.google.android.youtube.player.YouTubePlayerView.a(Unknown Source) at com.google.android.youtube.player.YouTubePlayerView$1.a(Unknown Source) at com.google.android.youtube.player.internal.r.g(Unknown Source) at com.google.android.youtube.player.internal.r$c.a(Unknown Source) at com.google.android.youtube.player.internal.r$b.a(Unknown Source) at com.google.android.youtube.player.internal.r$a.handleMessage(Unknown Source) at android.os.Handler.dispatchMessage(Handler.java:99) at android.os.Looper.loop(Looper.java:137) at android.app.ActivityThread.main(ActivityThread.java:5041) at java.lang.reflect.Method.invokeNative(Native Method) at java.lang.reflect.Method.invoke(Method.java:511) at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:793) at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:560) at dalvik.system.NativeStart.main(Native Method) </code></pre> <p>Thanks!</p> <p><strong>EDIT</strong></p> <p>My custom YoutubePlayerFragment Class: YouTubeVideoPlayerFragment.java</p> <pre><code>public class YouTubeVideoPlayerFragment extends YouTubePlayerSupportFragment { private static final String ARG_URL = "url"; // =========================================================== // Constructors // =========================================================== /** * Mandatory empty constructor for the fragment manager to instantiate the * fragment (e.g. upon screen orientation changes). */ public YouTubeVideoPlayerFragment() { } /** * Factory method to generate a new instance of the fragment given a video URL. * * @param url The video url this fragment represents * @return A new instance of this fragment with itemId extras */ public static YouTubeVideoPlayerFragment newInstance(String url) { final YouTubeVideoPlayerFragment mFragment = new YouTubeVideoPlayerFragment(); // Set up extras final Bundle args = new Bundle(); args.putString(ARG_URL, url); mFragment.setArguments(args); // Initialize YouTubePlayer mFragment.init(); return mFragment; } @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); } private void init(){ initialize(Constants.API_KEY, new YouTubePlayer.OnInitializedListener() { @Override public void onInitializationSuccess(YouTubePlayer.Provider provider, YouTubePlayer youTubePlayer, boolean wasRestored) { if (!wasRestored) { youTubePlayer.cueVideo(getArguments().getString(ARG_URL)); youTubePlayer.setShowFullscreenButton(false); } } } </code></pre> <p>fragment.xml</p> <pre><code><?xml version="1.0" encoding="utf-8"?> <RelativeLayout android:layout_height="match_parent" android:layout_width="match_parent" android:background="@color/black" > <!-- For YoutubeFragment --> <FrameLayout android:id="@+id/youtube_fragment" android:layout_width="match_parent" android:layout_height="match_parent" /> </RelativeLayout> </code></pre> <p>calling method:</p> <pre><code>// Create a new instance of YouTubeVideoPlayerFragment providing video id // and place it in the corresponding FrameLayout final YouTubeVideoPlayerFragment youTubeVideoPlayerFragment = YouTubeVideoPlayerFragment.newInstance(VIDEO_ID); final FragmentTransaction ft = getChildFragmentManager().beginTransaction(); ft.replace(R.id.youtube_fragment, youTubeVideoPlayerFragment); ft.commit(); </code></pre> <p><strong>EDIT</strong></p> <p>I've found out the origin of that error. This is the scenario: The Activity starts. In onCreate() instantiate a new YouTubeVideoPlayerFragment and initialize youTube object (which start the YouTubeServiceEntity internally) in its newInstance() method. Then the youtube fragment instantiated before, is attached with fragmentManager to the corresponding FrameLayout while video is loading. </p> <p><strong>Here is the issue:</strong> If user exits activity before video had been loaded, the exception is caused. </p> <p>So if the user want to exit activity in that case... What should i do and how?? i don't really know what to do!</p> |
8,153,397 | 0 | <p>Tom,</p> <p>I too have been experiencing issues with Sql CE and the Entity Framework. BUT, I may be able to explain the post that you are referencing because I am versed in using it now that I have fought my way through it. </p> <p>For starters, that blog entry was for the MVCScaffolding NuGet package. Not sure if you know what this package does but it basically adds a reference to the Scaffolder that Scott & Company created to dynamically generate CRUD for you once you have built your models. </p> <p>My understanding is that once you create a model, build your project, you can run the following command in the Package Manager Console and it will create the CRUD that I mentioned above.</p> <pre><code>Scaffold Controller [WhateverYourModelNameIs] </code></pre> <p>Now, once this process is complete, it generates a Context class for your application under the Models folder. If you see above in your code (for SQLCEEntityFramework.cs) in the Start method, it mentions that you need to uncomment the last line of the method in order for it to create the db if it does not exist.</p> <p>Lastly, once you execute your application, a SQL CE database "should" be created and if you click on the App_Data folder and choose to 'Show All Files' at the top of the Solution Explorer and hit the Refresh icon, you should see your database.</p> <p><strong>UPDATE:</strong></p> <p>So sorry, after testing this, Tom, you are correct. Only way the database is created is if you execute one of the views that were created by the Scaffolder. </p> |
5,938,866 | 0 | <pre><code>-(NSString *) stringFromDate:(NSDate *) date{ NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init]; [dateFormatter setTimeStyle:NSDateFormatterShortStyle]; [dateFormatter setDateStyle:NSDateFormatterMediumStyle]; [dateFormatter setLocale:[NSLocale currentLocale]]; NSString *dateString = [dateFormatter stringFromDate:date]; [dateFormatter release]; return dateString; } -(NSDate *) dateFromString:(NSString *) dateInString{ NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init]; [dateFormatter setTimeStyle:NSDateFormatterShortStyle]; [dateFormatter setDateStyle:NSDateFormatterMediumStyle]; [dateFormatter setLocale:[NSLocale currentLocale]]; NSDate *dateFromString = [dateFormatter dateFromString:dateInString]; [dateFormatter release]; return dateFromString; } </code></pre> <p>I hope this helps.</p> |
28,085,366 | 0 | <p>Not sure if this answers your question but in cases where you have more than 20 results, google returns a pagination object which can be used to fetch the additional results. We will have to handle the storing of the previous set of results. Here is the link <a href="https://developers.google.com/maps/documentation/javascript/reference#PlaceSearchPagination" rel="nofollow">https://developers.google.com/maps/documentation/javascript/reference#PlaceSearchPagination</a></p> |
21,772,094 | 0 | <p>There are 4 types of access token:</p> <ol> <li>User Access Token (Include page actions.) </li> <li>App Access Token (Modify and read the app settings. It can also be used to publish Open Graph actions.)</li> <li>Page Access Token (Specific to page actions.)</li> <li>Client Token (rarely used)</li> </ol> <blockquote> <p><a href="https://graph.facebook.com/oauth/access_token?type=client_cred&client_id=APP_ID&client_secret=APP_SECRET" rel="nofollow noreferrer">https://graph.facebook.com/oauth/access_token?type=client_cred&client_id=APP_ID&client_secret=APP_SECRET</a></p> </blockquote> <p>What you've done is retrieve the App Access Token, which was nothing to do with page.</p> <p>So, in order to post Facebook feed pages as admin, you should use User Access Token OR Page Access Token instead.</p> <p><strong>User Access Token</strong>:</p> <p>You will have to go through authorization dialog to retrieve your User Access Token:</p> <p><a href="https://www.facebook.com/dialog/permissions.request?_path=permissions.request&app_id=145634995501895&redirect_uri=https%3A%2F%2Fwww.facebook.com%2Fconnect%2Flogin_success.html%3Fdisplay%3Dpage&response_type=token&fbconnect=1&perms=manage_pages%2Cstatus_update" rel="nofollow noreferrer">https://www.facebook.com/dialog/permissions.request?_path=permissions.request&app_id=145634995501895&redirect_uri=https%3A%2F%2Fwww.facebook.com%2Fconnect%2Flogin_success.html%3Fdisplay%3Dpage&response_type=token&fbconnect=1&perms=manage_pages%2Cstatus_update</a></p> <p>Make sure you granted both <strong>manage_pages</strong> and <strong>status_update</strong> permission, as shown in the <strong>perms=</strong> parameter above. The reason can be found here: <a href="http://stackoverflow.com/questions/15796138/why-does-posting-to-facebook-page-yield-user-hasnt-authorized-the-application/15943045#15943045">why does posting to facebook page yield "user hasn't authorized the application"</a></p> <p>Then you do HTTP POST request (e.g. message=hello) to your page on <a href="https://graph.facebook.com/YOUR_PAGE_ID/feed?access_token=YOUR_USER_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/YOUR_PAGE_ID/feed?access_token=YOUR_USER_ACCESS_TOKEN</a></p> <p><strong>Page Access Token</strong>:</p> <p>You have to use User Access Token to retrieve Page Access Token via API calls:</p> <ol> <li><p><a href="https://graph.facebook.com/me/accounts?access_token=YOUR_USER_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/me/accounts?access_token=YOUR_USER_ACCESS_TOKEN</a> (Get all pages token)</p></li> <li><p><a href="https://graph.facebook.com/YOUR_PAGE_ID?fields=access_token&access_token=YOUR_USER_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/YOUR_PAGE_ID?fields=access_token&access_token=YOUR_USER_ACCESS_TOKEN</a> (Get specific page token by page ID)</p></li> </ol> <p>Then you do HTTP POST request (e.g. message=hello) to your page on 3 ways:</p> <ol> <li><a href="https://graph.facebook.com/YOUR_PAGE_ID/feed?access_token=YOUR_PAGE_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/YOUR_PAGE_ID/feed?access_token=YOUR_PAGE_ACCESS_TOKEN</a></li> <li><a href="https://graph.facebook.com/me/feed?access_token=YOUR_PAGE_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/me/feed?access_token=YOUR_PAGE_ACCESS_TOKEN</a></li> <li><a href="https://graph.facebook.com/feed?access_token=YOUR_PAGE_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/feed?access_token=YOUR_PAGE_ACCESS_TOKEN</a></li> </ol> <p><strong>Update:</strong></p> <p>I suggest you to manually granted a User Access Token(e.g. Login/authorization dialog would appear, and user need to manually click to accept APP permission request, you can't programatically web scraping to do this first step, as it's violate TOS of the Facebook platform), then extend it to long-live(Expired 2 months) via <a href="https://graph.facebook.com/oauth/access_token?client_id=my_app_id&client_secret=my_app_secret&grant_type=fb_exchange_token&fb_exchange_token=User_Access_Token" rel="nofollow noreferrer">https://graph.facebook.com/oauth/access_token?client_id=my_app_id&client_secret=my_app_secret&grant_type=fb_exchange_token&fb_exchange_token=User_Access_Token</a></p> <p>And now you have long-live User Access Token, and then call <a href="https://graph.facebook.com/me/accounts?access_token=LONG_LIVE_USER_ACCESS_TOKEN" rel="nofollow noreferrer">https://graph.facebook.com/me/accounts?access_token=LONG_LIVE_USER_ACCESS_TOKEN</a> to get NEVER expired Page Access Token. You can debug the Page Access Token at <a href="https://developers.facebook.com/tools/debug/accesstoken?q=YOUR_PAGE_ACCESS_TOKEN" rel="nofollow noreferrer">https://developers.facebook.com/tools/debug/accesstoken?q=YOUR_PAGE_ACCESS_TOKEN</a></p> <p>As you can see, the <strong>Expires</strong> date is <strong>Never</strong>:</p> <p><img src="https://i.stack.imgur.com/MrUhN.png" alt="enter image description here"></p> <p><strong>Documentation</strong>:</p> <ol> <li><a href="https://developers.facebook.com/docs/facebook-login/access-tokens/" rel="nofollow noreferrer">https://developers.facebook.com/docs/facebook-login/access-tokens/</a></li> <li><a href="https://developers.facebook.com/docs/graph-api/reference/app" rel="nofollow noreferrer">https://developers.facebook.com/docs/graph-api/reference/app</a> (No such thing post to page as admin)</li> </ol> |
23,312,280 | 0 | <p>Why u are not makeing it responsive as an SVG? I would make a container div and make the svg responsive. </p> <p>Here is a good description: <a href="http://soqr.fr/testsvg/embed-svg-liquid-layout-responsive-web-design.php" rel="nofollow">http://soqr.fr/testsvg/embed-svg-liquid-layout-responsive-web-design.php</a></p> |
Subsets and Splits