pid
int64
2.28k
41.1M
label
int64
0
1
text
stringlengths
1
28.3k
30,110,476
0
<p>I think you may need to convert/cast @salary to a varchar to print it:</p> <pre><code> PRINT @surname + ' ' + convert(varchar(10),@salary) </code></pre>
13,854,934
0
No overload for method 'form3' takes '0' arguments C# <p>I have used this method on form2 to get values over to form3:</p> <pre><code>**form2.cs** Form3 frm3 = new Form3(cbDelivery.Text, cbOderNo.Text, cbCartonCode.Text, lblGRV.Text); frm3.Show(); this.Hide(); </code></pre> <p>But now every time I want to use that I get "no overload for method 'form3' takes '0' arguments".</p> <p>I do understand its looking for that same values but I don't need them. For example when I'm on form4 and want to go back to form3.</p> <p>How do I bypass this?</p> <p>Thanks in advance. </p>
39,790,078
0
<p>so try sticking applicationId to your modules gradle, at defaultConfig like</p> <pre><code>defaultConfig { applicationId "com.example.myapp" minSdkVersion 17 targetSdkVersion 24 versionCode 1 versionName "1.0" } </code></pre>
5,922,758
0
Mimicking Google Account on the server-side <p>I recently bought an Android device. Now I'm wondering if can I mimic protocols it uses to communicate with Google servers? I basically want to setup some kind of "Google account", which wouldn't be served by Google, but would be fully compatible with Android devices. So, does Android use some kind of WebDAV protocol for accessing things like calendar, contacts? What kind of protocol does it use for mail (is it IMAP, as I would configure my account on a PC or some other Google-only-knows-what-is-it protocol?) Or do I just have to mimic GData protocols? Is there even a way to change host which Android talks to?</p> <p>I know that there are things like Google Apps. They allow you to setup your own, very little part of Google, which AFAIK can be connected to Android device (you just have to create an Google account with your domain after username, I suppose), but everything's still hosted on Google servers and Android still talks to Google host.</p> <p>If nothing works out, I could probably create some kind of service provider, which would act like those for Facebook, Twitter and Google, but for now I want to explore possibility of doing it on the server-side.</p> <p>Not that I don't trust Google. I just don't really like someone handling valuable part of my life in files I don't own. Assume this question void if someone found a way of <code>chown</code>ing files on Google servers ;). </p>
14,017,260
0
<p>I'm going to be lazy here and take @H2CO3's answer to be working without trying it.</p> <pre><code>&lt;script type="text/javascript"&gt; function generate(var UNWANTED) { var r; do { r = Math.floor(Math.random() * 10); } while (r == UNWANTED); return r; } function GENERATE_RANDOM_FROM_0_TO_10_BUT_NOT_6_OR_SOMETHING_ELSE_(var NOT_GOOD){ return generate(NOT_GOOD) &lt;== One line solution. } &lt;script&gt; </code></pre>
24,499,272
0
Exported jar finds some files (not all) even though the paths are the same <p>When I run my program from eclipse, it shows up fine, the images from Resources\ show up, as do the sounds from the same place, and the text files are found properly. However, when I export my jar, and copy the resources into it with 7Zip, the images will work, but the sounds and the text files can't be found, even though they're in the same folder, with the same path used to find them in my code. I can fix this by putting a folder next to the jar file named Resources, and put everything in there, but I'd like to know why just putting it in the jar file only worked for the images, and how I can get it to work with the text and audio files as well. An example to show you what I mean:</p> <pre><code>File inventory = new File("Resources/inv.txt"); threadpath = "Resources/threads.wav"; enemy1 = new Sprite(new Texture("Resources/miniForestGolem.png")); </code></pre> <p>When I run it in eclipse, all three work fine, but when I export it, and put the resources folder in the jar file, only the image works.</p> <p><strong>Edit:</strong></p> <p>I know how to include my resources, and have done so, I'm asking about <em>how/why some of the resources aren't able to be accessed</em>, even after adding them in.</p>
34,592,745
0
How to customize angular-material grid system? <p>It's possible customize the angular-material grid system like bootstrap, by setting columns, gutter-width, etc? <a href="http://getbootstrap.com/customize/" rel="nofollow">http://getbootstrap.com/customize/</a></p> <p>The angular-material.scss has some mixins like "flex-properties-for-name", but always will create 20 columns with increments of 5%.</p> <p>I could override some mixins, but I was looking for other ways to do this.</p> <p><strong>Update:</strong></p> <p>My first solution was reuse some mixins from the angular-material.scss to create a custom grid. <a href="https://gist.github.com/dilvane/a5418f3f3c5d68cf1059" rel="nofollow">https://gist.github.com/dilvane/a5418f3f3c5d68cf1059</a></p> <p>Does anyone have a different approach?</p> <p><strong>Update:</strong></p> <p>Issue reported: <a href="https://github.com/angular/material/issues/6537" rel="nofollow">https://github.com/angular/material/issues/6537</a></p>
14,057,484
0
<p>You can use 2 comprehensions to naturally loop over the data structures.</p> <pre><code>dict((drug, [file for file in file_list if drug in file]) for drug in drug_list) </code></pre> <p>Let's break this down. We'll need to create a dictionary, so let's use a list comprehension for that.</p> <pre><code>dict((a, str(a + " is the value")) for a in [1, 2, 3]) </code></pre> <p>The outermost part is a list comprehension that creates a dict. By creating 2-tuples of the form (key, value) we can then simply call dict() on it to get a dictionary. In our answer, we set the drug as the key and we set the value to a list that is built from another list comprehension. So far we have:</p> <pre><code>{'17A': [SOMETHING], '56B': [SOMETHING], '96A': [SOMETHING]} </code></pre> <p>Now we need to fill in the SOMETHINGs and this is what the inner comprehension does. It looks like your logic is to check if the drug text appears in the file. We already have the drug, so we can just say:</p> <pre><code>[file for file in file_list if drug in file] </code></pre> <p>This runs through the file list and adds it if the drug appears therein.</p> <p>In Python 2.7 and above, you can use a dictionary comprehension instead of using dict(). In that case it would look like:</p> <pre><code>{drug: [file for file in file_list if drug in file] for drug in drug_list} </code></pre> <p>This is much clearer since all the boiler plate of making 2-tuples and converting can be done away with.</p> <p>Comprehensions are an excellent way of writing code because the tend to be very clear descriptions of what you mean to do. It's worth noting that this is not the most efficient way of building the dictionary though, since it runs through every file for every drug. If the list of files is very long this could be very slow.</p> <p><em>Edit: My first answer was nonsense. As penance, I have made this detailed one.</em></p>
17,628,531
0
<p>I suspect that you have a <code>SETLOCAL</code> in <code>a.bat</code>. ANY environment changes made after a SETLOCAL are backed out when the matching <code>ENDLOCAL</code> (or <code>EOF</code> in the same context) is reached.</p> <p>Depending on how you are terminating <code>a.bat</code>, you'd need something in the order of <code>ENDLOCAL&amp;set "Path=dir_b;%PATH%"&amp;GOTO :EOF</code> which will prepend <code>dir_b</code> to your existing path as you appear to exepect for the duration of that particular CMD session.</p>
8,459,164
0
<p>The bottom line is, from the client side, you will not be able to load the source of an external domain. You could do it through a server side httpclient call, but NOT from the client side.</p>
165,930
0
<p><a href="http://www.phpsavant.com/" rel="nofollow noreferrer">Savant</a> is a lightweight, pure PHP templating engine. Version 2 has a <a href="http://www.phpsavant.com/yawiki/index.php?area=Savant2&amp;page=PluginCycle#" rel="nofollow noreferrer">cycle</a> plugin similar to the Smarty one mentioned earlier. I haven't been able to find a reference to the same plugin in version 3, but I'm sure you could write it fairly easily.</p>
16,309,863
0
Binding to interface typed properties <p>I just got bit by yet another binding oddity in WPF. Consider the following class and its <code>IStupid</code> typed property called <code>MyStupid</code>:</p> <pre><code>public struct DumbClass { public IStupid MyStupid { get { return new IsStupid(); } } } public interface IStupid{} public class IsStupid : IStupid{} </code></pre> <p>Now consider the following binding to a <code>ListBox</code>:</p> <pre><code>var items = new List&lt;DumbClass&gt;(new []{new DumbClass(), new DumbClass(), new DumbClass()}); OptListBox.ItemsSource = items; </code></pre> <p>There is nothing special about the xaml:</p> <pre><code>&lt;ListBox Name="OptOccurances" Height="238" HorizontalAlignment="Left" Margin="130,34,0,0" VerticalAlignment="Top" Width="229" &gt; &lt;/ListBox&gt; </code></pre> <p>As expected, the output of the listbox is 3 rows of "MyProject.DumbClass".</p> <p>However if I set <code>DisplayMemberPath="MyStupid"</code> (or create an ItemTemplate, binding 'MyStupid' directly to a TextBlock in the template), I get 3 empty rows instead, when I expected it to say <code>MyProject.IsStupid</code>. Why is the databinding engine unable to call the default <code>ToString()</code> implementation and display the class name. Is there a workaround for a interface typed property? At the very least, is there a reason why no binding error is thrown?</p>
31,194,354
0
How does the roTextureManager image cache behave? <p>Does the roTextureManager clear or replace bitmaps in its cache automatically when it sees that it is running out of memory? I cannot seem to find any good answer to this.</p>
15,905,789
0
<p>First, a general note, as stated by the <a href="http://developer.android.com/reference/android/os/AsyncTask.html" rel="nofollow">Android Docs</a>:</p> <p><code>AsyncTasks should ideally be used for short operations (a few seconds at the most). If you need to keep threads running for long periods of time, it is highly recommended you use the various APIs provided by the java.util.concurrent pacakge such as Executor, ThreadPoolExecutor and FutureTask.</code></p> <p>To answer your questions:</p> <ol> <li>Yes - you can use Async task as if it were just a background thread - an Async task is merely a wrapper of <code>Thread</code> and <code>Handler</code> that allows the thread to seamlessly communicate with the UI thread. <strong>Warning!</strong> If you plan to update the UI thread, or otherwise reference an activity or fragment in the callbacks that reference the UI thread (i.e. onProgressUpdated and/or onPostExecute) you should explicitly check that the activity or fragment is still in a state from which it can be referenced and used. For example - here's the right and wrong way to do it when launching an AsyncTask from a fragment:</li> </ol> <p>Create your task with a ref to the activity so you can do something when it's done:</p> <pre><code>private class DownloadFilesTask extends AsyncTask&lt;URL, Integer, Long&gt; { Fragment mFragment; public DownloadFilesTask(Fragment fragment){ mFragment = fragment; } </code></pre> <p>WRONG: </p> <pre><code> protected void onPostExecute(Long result) { // if the fragment has been detached, this will crash mFragment.getView().findView... } </code></pre> <p>RIGHT:</p> <pre><code> protected void onPostExecute(Long result) { if (mFragment !=null &amp;&amp; mFragment.isResumed()) ... do something on the UI thread ... } } </code></pre> <ol> <li><p>If the Activity dies while an AsyncTask is executed, it will continue to run. Using the techniques listed above, you can avoid crashes by checking the lifecycle of the context that started the task. </p></li> <li><p>Finally, if you have a very long-running operation that does not require the UI thread at all, you should look into using a <a href="http://developer.android.com/reference/android/app/Service.html" rel="nofollow">Service</a>. Here's a blurb:</p></li> </ol> <p><code>A Service is an application component representing either an application's desire to perform a longer-running operation while not interacting with the user or to supply functionality for other applications to use</code> </p>
24,599,796
0
<p>No, you shouldn't use the above instead of <code>atoi</code>.</p> <p>You should actually check the error information that <code>strtol</code> makes available:</p> <pre><code>i = atoi(s); </code></pre> <p>should be replaced by</p> <pre><code>char* stopped; i = (int)strtol(s, &amp;stopped, 10); if (*stopped) { /* handle error */ } </code></pre>
39,123,612
0
<pre><code>select t.name, CASE rows.col_name WHEN 'Math' THEN t.Math WHEN 'English' THEN t.**math** WHEN 'Arts' THEN t.Arts end as Grade from the_table t, (select 'Math' as col_name union all select 'English' as col_name union all select 'Arts' as col_name) rows </code></pre>
19,785,156
0
COBOL to MSSQL table creation <p>We are trying data load to SQL server. So Can anyone suggest appropriate table schema for below mentioned Layout.</p> <pre><code> 01 PRECALC. 06 NEWGROUP57. 10 PRE-MODIFY-TYPE PIC X. 10 PRE-HMO-ID PIC X(3). 10 PRE-SC-CAP PIC X(1). 10 PRE-ENTRY-SOURCE PIC X(1). 10 PRE-DIV-NBR PIC 9(2). 06 PRE-MEMB-NBR. 10 PRE-MEMGRP PIC 9(5). 10 PRE-MEMSUB PIC 9(9). 10 PRE-MEMDEP PIC 9(2). 06 NEWGROUP58. 10 PRE-CTLNBR PIC 9(12). 10 PRE-AUDNBR PIC 9(8). 10 PRE-AUDSUB PIC 9(2). 10 PRE-DSLW-CONT PIC S9(5)V9(2) DISPLAY SIGN LEADING SEPARATE. 10 PRE-RECV-CYMD PIC 9(8). 10 PRE-SYS-CYMD PIC 9(8). 06 PRE-DETAIL-AREA. 07 PRE-DTL-DATA-EXP. 10 Z-PRE-DTL-DATA PIC X(1068). 07 PRE-DTL-DATA REDEFINES PRE-DTL-DATA-EXP OCCURS 4. 08 NEWGROUP59-1. 11 PRE-ICDA-CDE PIC X(5). 11 PRE-PROC PIC X(5). 11 PRE-PROC-MOD PIC X(4). 08 NEWGROUP59-2. 11 PRE-AMT-CLAIMED PIC S9(5)V9(2) DISPLAY SIGN LEADING SEPARATE. 11 PRE-AMT-COPAY PIC S9(5)V9(2) DISPLAY SIGN LEADING SEPARATE. 11 PRE-AMT-DISCOUNT PIC S9(5)V9(2) DISPLAY SIGN LEADING SEPARATE. 08 NEWGROUP59-3. 11 PRE-EPSDT-IND PIC X(1). 11 PRE-NDC-ID PIC X(11). 11 PRE-ORIG-POS-CDE PIC X(2). 08 NEWGROUP59-4. 11 PRE-ALLOW-AMT-RPR PIC S9(5)V9(2) DISPLAY SIGN LEADING SEPARATE. 06 PRE-DSIERR. 07 PRE-DSI-ERR-EXP. 10 Z-PRE-DSI-ERR PIC X(100). 07 PRE-DSI-ERR REDEFINES PRE-DSI-ERR-EXP OCCURS 100 PIC 9(1). 06 NEWGROUP60. 10 PRE-PAYOR-INFO PIC X(1). 10 PRE-RECOVERY-FLG PIC X(1). 10 PRE-RECV-MDCY PIC 9(8). 10 PRE-SYS-MDCY PIC 9(8). 10 PRE-PRV-TAX-ID PIC X(9). 06 PRE-RPR-DTL-RJMSG-EXP. 10 Z-PRE-RPR-DTL-RJMS PIC X(8). 06 PRE-RPR-DTL-RJMSG REDEFINES PRE-RPR-DTL-RJMSG-EXP OCCURS 4 PIC X(2). 06 PRE-RPR-DTL-RSNCD-EXP. 10 Z-PRE-RPR-DTL-RSNC PIC X(16). 06 PRE-RPR-DTL-RSNCD REDEFINES PRE-RPR-DTL-RSNCD-EXP OCCURS 4 PIC X(4). </code></pre>
8,211,235
0
<p>It's a high tech operator that guarantees a syntax error when used like that.</p> <p>In it's normal use, you might see it used in object literal syntax to denote key:value pairs;</p> <pre><code>var object = { "name": "value", "name2": "value2" } </code></pre> <p>It can also be used to define a <a href="https://developer.mozilla.org/en/JavaScript/Reference/Statements/label">label</a> (less common).</p> <pre><code>loop1: for (var i=0;i&lt;10; i++) { for (var j=0;j&lt;10;j++) { break loop1; // breaks out the outer loop } } </code></pre> <p>And it's part of the ternary operator;</p> <pre><code>var something = conditional ? valueIfTrue : valueIfFalse; </code></pre>
28,298,622
0
data not saving into database <p>Hi In the below code data not saving into database.In the file I am working with android.client side data coming correctly. from client side I am passing username,password,groupname,friendusername it will return array list.</p> <p>Why I am not getting where i did mistake.</p> <p><strong>php</strong></p> <pre><code>case "CreateGroup": $userId = authenticateUser($db, $username, $password); if ($userId != NULL) { if (isset($_REQUEST['friendUserName'])) { $friendUserName = $_REQUEST['friendUserName']; $groupname = $_REQUEST['groupname']; $sql = "select Id from users where username='".$friendUserName."' limit 1"; if ($result = $db-&gt;query($sql)) { if ($row = $db-&gt;fetchObject($result)) { $requestId = $row-&gt;Id; $groupname = $row-&gt;Id; if ($row-&gt;Id != $userId) { $sql = "insert into group(providerId, requestId, groupname) values(".$userId.", ".$requestId.", ".$groupname.")"; echo $sql; if ($db-&gt;query($sql)) { $out = SUCCESSFUL; } else { $out = FAILED; } } else { $out = FAILED; } } else { $out = FAILED; } } else { $out = FAILED; } } else { $out = FAILED; } } else { $out = FAILED; } break; </code></pre>
22,570,292
0
<p>There's an awful lot more happening in your loop than needs to be - it is considerably quicker to plot once then update the data, rather than tearing down the plot and creating a new one every time.</p> <p>Here's an idea for a more efficient arrangement (composed in browser, may contain errors):</p> <pre><code>clear; yThresh = 2.5; delete(instrfindall); s = serial('COM7', 'BaudRate', 57600); fopen(s); arq = fopen('dados.txt', 'w'); a = NaN(1,20); x = -18:1; subplot(3,1,1); hline = plot(x, a); haxes = gca; title('AcelX','fontsize',13,'fontweight','bold'); xlabel('Tempo','fontsize',10,'fontweight','bold'); ylabel('AcelX','fontsize',10,'fontweight','bold'); axis([1 3 -yThresh yThresh]); while ~feof(arq) %end of file newdata = fscanf(s, '%f%f%f'); a = [a(2:end) newdata(1)]; x = x + 1; % presumably you want to capture the data to that file at some point too? set(hline, 'XData', x, 'YData', a); xlim(haxes, [max(1,x(1)) x(end)]); end </code></pre> <p>For maximum update speed you might save a little more time by cheating the x axis - instead of changing the x data and axes limits each time, leave them untouched and just change the the tick labels (Or just forego the tick labels entirely, leaving nothing to update but the y data).</p>
15,261,884
0
<p>This is a work around more than a fix but if you'd rather be coding than bug hunting it might be worth a go! (remember to log out of SS before doing this fix)</p> <p>In your mysite/_config.php file change </p> <pre><code>Director::set_environment_type("dev"); </code></pre> <p>to</p> <pre><code>if(!isset($_GET['isDev'])) Director::set_environment_type("dev"); else Director::set_environment_type("live"); </code></pre> <p>Then you can develop the website in dev mode normally and to use the admin in live mode and avoid the bug you just go to: <strong>http://{your_domain}/admin?isDev=0</strong></p> <p>N.B. might find a proper answer when pastebin.com isn't overloaded and I can see your responses!</p>
13,492,238
0
<p>You didn't mention what OS are you using... If it's linux you can do it in commandline like that:</p> <pre><code>find /the/path/to/your/project -name ".class" -exec rm {} \; </code></pre>
17,073,448
0
How to improve my query performance by indexing <p>i just want to know how will i index the this table for optimal performance? This will potentially hold around 20M rows.</p> <pre><code> CREATE TABLE [dbo].[Table1]( [ID] [bigint] NOT NULL, [Col1] [varchar](100) NULL, [Col2] [varchar](100) NULL, [Description] [varchar](100) NULL ) ON [PRIMARY] </code></pre> <p>Basically, this table will be queried ONLY in this manner. </p> <pre><code> SELECT ID FROM Table1 WHERE Col1 = 'exactVal1' AND Col2 = 'exactVal2' AND [Description] = 'exactDesc' </code></pre> <p>This is what i did:</p> <pre><code> CREATE NONCLUSTERED INDEX IX_ID ON Table1(ID) GO CREATE NONCLUSTERED INDEX IX_Col1 ON Table1(Col1) GO CREATE NONCLUSTERED INDEX IX_Col2 ON Table1(Col2) GO CREATE NONCLUSTERED INDEX IX_ValueDescription ON Table1(ValueDescription) GO </code></pre> <p>Am i right to index all these columns? Not really that confident yet. Just new to SQL stuff, please let me know if im on the right track. </p> <p>Again, a lot of data will be put on this table. Unfortunately, i cannot test the performance yet since there are no available data. But I will soon be generating some dummy data to test the performance. But it would be great if there is already another option(suggestion) available that i can compare the results with.</p> <p>Thanks, jack</p>
2,234,337
0
<p>You should register your controller as the open panel's delegate and then implement the <code>-panel:isValidFilename:</code> delegate method. Returning <code>NO</code> from that method allows you to prevent the open dialog from being closed:</p> <pre><code>- (BOOL)panel:(id)sender isValidFilename:(NSString *)filename { //validate the field in some way, in this case by making sure it's not empty if([[textField stringValue] length] == 0) { //let the user know they need to do something NSAlert *alert = [[NSAlert alloc] init]; [alert setMessageText:@"Please enter some text."]; [alert addButtonWithTitle:@"OK"]; [alert beginSheetModalForWindow:sender modalDelegate:nil didEndSelector:NULL contextInfo:NULL]; //return NO to prevent the open panel from completing return NO; } //otherwise, allow the open panel to close return YES; } </code></pre>
36,401,668
0
Webpacked Angular2 app TypeError: Cannot read property 'getOptional' of undefined <p>I've seen a lot of people having this issue, with a solution relating to angular2-polyfills.js. I'm already including this file in my webpack, however:</p> <pre><code>entry: { 'angular2': [ 'rxjs', 'zone.js', 'reflect-metadata', 'angular2/common', 'angular2/core', 'angular2/router', 'angular2/http', 'angular2/bundles/angular2-polyfills' ], 'app': [ './src/app/bootstrap' ] } </code></pre> <p>Despite this, I get the following errors when trying to load my root component:</p> <pre><code>Cannot resolve all parameters for 'ResolvedMetadataCache'(?, ?). Make sure that all the parameters are decorated with Inject or have valid type annotations and that 'ResolvedMetadataCache' is decorated with Injectable. Uncaught TypeError: Cannot read property 'getOptional' of undefined </code></pre> <p>Both from <code>dom_element_schema_registry:43</code>. What am I doing wrong?</p> <p>Below is the component file in question.</p> <pre><code>import {Component} from 'angular2/core'; import {MapComponent} from './map/map.component'; declare var window: any; var $ = require('jquery'); window.$ = $; window.jQuery = $; @Component({ selector: 'app', template: require('./app.component.jade'), styles: [], directives: [MapComponent] }) export class AppComponent {} </code></pre> <p><strong>EDIT</strong> This may be to do with my use of jade-loader; when I switch to requiring a raw HTML file, I get a different error:</p> <pre><code>dom_element_schema_registry.ts:43 Uncaught EXCEPTION: Error during instantiation of Token Promise&lt;ComponentRef&gt;!. ORIGINAL EXCEPTION: RangeError: Maximum call stack size exceeded ORIGINAL STACKTRACE: RangeError: Maximum call stack size exceeded at ZoneDelegate.scheduleTask (http://localhost:3000/angular2.bundle.js:20262:28) at Zone.scheduleMicroTask (http://localhost:3000/angular2.bundle.js:20184:41) at scheduleResolveOrReject (http://localhost:3000/angular2.bundle.js:20480:16) at ZoneAwarePromise.then [as __zone_symbol__then] (http://localhost:3000/angular2.bundle.js:20555:19) at scheduleQueueDrain (http://localhost:3000/angular2.bundle.js:20361:63) at scheduleMicroTask (http://localhost:3000/angular2.bundle.js:20369:11) at ZoneDelegate.scheduleTask (http://localhost:3000/angular2.bundle.js:20253:23) at Zone.scheduleMicroTask (http://localhost:3000/angular2.bundle.js:20184:41) at scheduleResolveOrReject (http://localhost:3000/angular2.bundle.js:20480:16) at ZoneAwarePromise.then [as __zone_symbol__then] (http://localhost:3000/angular2.bundle.js:20555:19) </code></pre>
14,055,627
0
implementing a login with facebook button in asp.net mobile <p>There is something very obvious that I'm missing. I've implemented the Log in with Facebook tutorial from <a href="http://www.asp.net/mvc/overview/getting-started/using-oauth-providers-with-mvc" rel="nofollow">asp.net</a>, then I created a mobile MVC 4 web site.</p> <p>I created an AuthConfig which calls:</p> <pre><code>OAuthWebSecurity.RegisterFacebookClient( appId: "...", appSecret: "..."); </code></pre> <p>then, in Views/Home/Login.cshtml, I created a button</p> <pre><code> &lt;li&gt;@Html.ActionLink("Log in with Facebook", "FacebookLogin")&lt;/li&gt; </code></pre> <p>and lastly, in /Controllers/HomeController.cs I added:</p> <pre><code> public ActionResult FacebookLogin() { return new FacebookLoginResult(this.Url.Action("ExternalLoginCallback")); } [AllowAnonymous] public ActionResult ExternalLoginCallback(string returnUrl) { AuthenticationResult result = OAuthWebSecurity.VerifyAuthentication(Url.Action("ExternalLoginCallback", new { ReturnUrl = returnUrl })); if (!result.IsSuccessful) { ... </code></pre> <p>(For the sake of completeness, FacebookLogin result is a class that inherits from ActionResult and calls</p> <pre><code> OAuthWebSecurity.RequestAuthentication("facebook", "/Home/ExternalLoginCallback"); </code></pre> <p>in the ExecuteResult() override. When I step through it, I see the button being pressed, I see ExecuteResult() being called, but it never makes it to ExternalLoginCallback(). The whole process simply errors out. There is likely something very easy and very obvious that I'm missing, but barring that, how can I enable more extended logging to see where it is breaking down? I'm using IIS Express for both the MVC site that worked and the MVC mobile site that doesn't.</p> <p>Thanks!</p>
624,533
0
<p>I got it to work by doing this:</p> <pre><code>#content2 { position:relative;top:15px; } #content3 { position:relative; top:-17px; } </code></pre> <p>but keep in mind that this will not work for you as soon as you have dynamic content. The reason I posted this example is that without knowing more specific things about your content I cannot give a better answer. However this approach ought to point you in the right direction as to using relative positioning.</p>
39,809,756
0
Understanding R convolution code with sapply() <p>I am trying to break apart the R code in <a href="http://stats.stackexchange.com/a/41263/67822">this post</a>:</p> <pre><code>x &lt;- c(0.17,0.46,0.62,0.08,0.40,0.76,0.03,0.47,0.53,0.32,0.21,0.85,0.31,0.38,0.69) convolve.binomial &lt;- function(p) { # p is a vector of probabilities of Bernoulli distributions. # The convolution of these distributions is returned as a vector # `z` where z[i] is the probability of i-1, i=1, 2, ..., length(p)+1. n &lt;- length(p) + 1 z &lt;- c(1, rep(0, n-1)) sapply(p, function(q) {z &lt;&lt;- (1 - q) * z + q * (c(0, z[-n])); q}) z } convolve.binomial(x) [1] 5.826141e-05 1.068804e-03 8.233357e-03 3.565983e-02 9.775029e-02 [6] 1.804516e-01 2.323855e-01 2.127628e-01 1.394564e-01 6.519699e-02 [11] 2.141555e-02 4.799630e-03 6.979119e-04 6.038947e-05 2.647052e-06 [16] 4.091095e-08 </code></pre> <p>I tried <code>debugging</code> in RStudio, but it still opaque.</p> <p>The issue is with the line: <code>sapply(p, function(q) {z &lt;&lt;- (1 - q) * z + q * (c(0, z[-n])); q})</code>.</p> <p>I guess that within the context of the call <code>convolve.binomial(x)</code> <code>p = q = x</code>. At least I get identical results if I pull the lines outside the function and run <code>sapply(x, function(x) {z &lt;&lt;- (1 - x) * z + x * (c(0, z[-n])); x}) </code>:</p> <pre><code>x &lt;- c(0.17,0.46,0.62,0.08,0.40,0.76,0.03,0.47,0.53,0.32,0.21,0.85,0.31,0.38,0.69) n &lt;- length(x) + 1 z &lt;- c(1, rep(0, n-1)) # [1] 1 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 sapply(x, function(x) {z &lt;&lt;- (1 - x) * z + x * (c(0, z[-n])); x}) z # Is extracted by calling it and contains the correct result </code></pre> <hr> <p>My questions are:</p> <ol> <li>What is the purpose of the <code>;q}</code> ending within <code>sapply()</code>?</li> <li>How does it relate to the <code>&lt;&lt;-</code> symbol, meant to make <code>z</code> accessible outside of the "implicit" loop that is <code>sapply()</code>?</li> </ol> <hr> <p>Below you can see my problem "hacking" this line of code:</p> <pre><code>(x_complem = 1 - x) sapply(x, function(x) {z &lt;&lt;- x_complem * z + x * (c(0, z[-n])); x}) z # Returns 16 values and warnings z_offset = c(0, z[-n]) # [1] 0 1 0 0 0 0 0 0 0 0 0 0 0 0 0 0 sapply(x, function(x) {z &lt;&lt;- (1 - x) * z + x * z_offset; x}) z # Returns different values. </code></pre>
250,795
0
<p>You didn't specify what compiler(s) you are using, but if you have access to gcc/g++ you can use the -MM option. </p> <p>What I do is create a file with the extension of .d for every .c or .cpp file, and then "include" the .d files. I use something like this in my Makefile:</p> <pre><code>%.d: %.c gcc $(INCS) $(CFLAGS) -MM $&lt; -MF $@ %.d: %.cpp g++ $(INCS) $(CXXFLAGS) -MM $&lt; -MF $@ </code></pre> <p>I then create the dependencies like this:</p> <pre><code>C_DEPS=$(C_SRCS:.c=.d) CPP_DEPS=$(CPP_SRCS:.cpp=.d) DEPS=$(C_DEPS) $(CPP_DEPS) </code></pre> <p>and this at the bottom of the Makefile:</p> <pre><code>include $(DEPS) </code></pre> <p>Is this the kind of behavior you're going for? The beauty of this method is that even if you're using a non-GNU compiler for actual compiling, the GNU compilers do a good job of calculating the dependencies.</p>
18,426,779
0
<p>I cannot test this at the moment, but that should be possible by adding the following expression description to the "properties to fetch":</p> <pre><code>NSExpression *countExpression = [NSExpression expressionForFunction: @"count:" arguments: [NSArray arrayWithObject:[NSExpression expressionForKeyPath: @"drivers"]]]; NSExpressionDescription *expressionDescription = [[NSExpressionDescription alloc] init]; [expressionDescription setName: @"driversCount"]; [expressionDescription setExpression: countExpression]; [expressionDescription setExpressionResultType: NSInteger32AttributeType]; </code></pre>
31,104,069
0
VHDL: Subtract std_logic_vector <p>I am developing a code on VHDL and I need to make subtraction operation on std logic vector. I tried to define and use the following libraries:</p> <pre><code>library ieee; use ieee.std_logic_1164.all; use ieee.numeric_std.all; use ieee.std_logic_arith.all; </code></pre> <p>then I defined signals like:</p> <pre><code>signal r0,r1,r2,r3,r4,r5,r6,r7: STD_LOGIC_VECTOR (19 DOWNTO 0); </code></pre> <p>then I wanted to do the following subtraction:</p> <pre><code> r0 &lt;= r0(16 downto 8) - r0(7 downto 0); </code></pre> <p>But it gives me error on the "-" operator. The error says:</p> <blockquote> <p>Error (10327): VHDL error at euclidian_vhd_hls.vhd(84): can't determine definition of operator ""-"" -- found 0 possible definitions</p> </blockquote> <p>Please help me to solve this issue.</p> <p>Thanks a lot.</p>
26,486,196
0
<p><strong>Updated solution using non-equi joins:</strong></p> <p>Recently, <em>non-equi</em> joins were implemented in the <a href="https://github.com/Rdatatable/data.table/wiki/Installation" rel="nofollow">current development version of data.table, v1.9.7</a>. This is quite straightforward with this feature:</p> <pre><code>require(data.table) # v1.9.7+ dt1 = data.table(x=foo) dt2 = data.table(y=foo+10L) dt1[dt2, on=.(x &lt; y), mult="last", which=TRUE] # [1] 4 4 5 5 6 7 8 8 9 </code></pre> <p>On 100,000 elements, this is faster than <code>foverlaps</code>:</p> <pre><code>set.seed(45L) foo &lt;- sort(sample(1e6, 1e5, FALSE)) dt1 = data.table(x=foo) dt2 = data.table(y=foo+10L) system.time(ans &lt;- dt1[dt2, on=.(x &lt; y), mult="last", which=TRUE]) # user system elapsed # 0.011 0.001 0.011 </code></pre> <p>Note that this operation can be done directly as follows:</p> <pre><code>ans &lt;- data.table(x=foo)[.(y=x+10L), on=.(x &lt; y), mult="last", which=TRUE] </code></pre> <hr> <p><strong>Old approach using <code>foverlaps</code>:</strong></p> <p>Here's a method that would probably scale better. Using overlapping range joins function <code>foverlaps()</code> from <code>data.table</code> version 1.9.4:</p> <pre><code>require(data.table) ## 1.9.4+ x = data.table(start=foo, end=foo+9L) lookup = data.table(start=foo, end=foo) setkey(lookup) ## order doesn't change, as 'foo' is already sorted foverlaps(x, lookup, mult="last", which=TRUE) # [1] 4 4 5 5 6 7 8 8 9 </code></pre> <p>Timing on 100,000 numbers:</p> <pre><code>set.seed(45L) foo &lt;- sort(sample(1e6, 1e5, FALSE)) arun &lt;- function(foo) { x = data.table(start=foo, end=foo+9L) lookup = data.table(start=foo, end=foo) setkey(lookup) foverlaps(x, lookup, mult="last", which=TRUE) } system.time(arun(foo)) # user system elapsed # 0.142 0.009 0.153 </code></pre>
9,920,736
0
<p>Take a look at this example: <a href="http://ideone.com/8MHGH" rel="nofollow">http://ideone.com/8MHGH</a></p> <p>The main problem you have is that str is pointer to a char not a char, so you should assign it to a string: <code>str = "\0";</code></p> <p>When you assign it to char, it remains 0 and then the fail bit of cout becomes true and you can no longer print to it. Here is another example where this is fixed: <a href="http://ideone.com/c4LPh" rel="nofollow">http://ideone.com/c4LPh</a></p>
38,302,398
0
<p>I tested above scenario with Postman, and it works properly. Please find steps as follows;</p> <ul> <li><p>Add proxy and remove message store. (Because adding null message to message store giving following error)</p> <p>[2016-07-11 13:46:53,291] ERROR - NativeWorkerPool Uncaught exception java.lang.Error: Error: could not match input at org.apache.synapse.commons.staxon.core.json.stream.impl.JsonScanner.zzScanError(JsonScanner.java:530) at org.apache.synapse.commons.staxon.core.json.stream.impl.JsonScanner.yylex(JsonScanner.java:941) at org.apache.synapse.commons.staxon.core.json.stream.impl.JsonScanner.nextSymbol(JsonScanner.java:310) at org.apache.synapse.commons.staxon.core.json.stream.impl.JsonStreamSourceImpl.next(JsonStreamSourceImpl.java:149) at org.apache.synapse.commons.staxon.core.json.stream.impl.JsonStreamSourceImpl.peek(JsonStreamSourceImpl.java:272) at org.apache.synapse.commons.staxon.core.json.JsonXMLStreamReader.consume(JsonXMLStreamReader.java:129) at org.apache.synapse.commons.staxon.core.json.JsonXMLStreamReader.consume(JsonXMLStreamReader.java:132) at org.apache.synapse.commons.staxon.core.base.AbstractXMLStreamReader.hasNext(AbstractXMLStreamReader.java:446) at org.apache.synapse.commons.staxon.core.base.AbstractXMLStreamReader.next(AbstractXMLStreamReader.java:456) at javax.xml.stream.util.StreamReaderDelegate.next(StreamReaderDelegate.java:88) at org.apache.axiom.om.impl.builder.StAXOMBuilder.parserNext(StAXOMBuilder.java:681) at org.apache.axiom.om.impl.builder.StAXOMBuilder.next(StAXOMBuilder.java:214) at org.apache.axiom.om.impl.llom.OMElementImpl.getNextOMSibling(OMElementImpl.java:336) at org.apache.axiom.om.impl.OMNavigator._getFirstChild(OMNavigator.java:199) at org.apache.axiom.om.impl.OMNavigator.updateNextNode(OMNavigator.java:140) at org.apache.axiom.om.impl.OMNavigator.getNext(OMNavigator.java:112) at org.apache.axiom.om.impl.SwitchingWrapper.updateNextNode(SwitchingWrapper.java:1113) at org.apache.axiom.om.impl.SwitchingWrapper.(SwitchingWrapper.java:235) at org.apache.axiom.om.impl.OMStAXWrapper.(OMStAXWrapper.java:74) at org.apache.axiom.om.impl.llom.OMStAXWrapper.(OMStAXWrapper.java:52) at org.apache.axiom.om.impl.llom.OMContainerHelper.getXMLStreamReader(OMContainerHelper.java:51) at org.apache.axiom.om.impl.llom.OMElementImpl.getXMLStreamReader(OMElementImpl.java</p></li> <li><p>Use Postman and invoke proxy service with "POST" command</p></li> </ul> <p>Add json content in to body</p> <p><a href="https://i.stack.imgur.com/2CiAA.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/2CiAA.png" alt="Snapshot of POSTMAN"></a></p> <ul> <li>Send it. ESB will print the message correctly with brackets.</li> </ul>
11,110,741
0
<p>Indeed Sparkle Basic wiki page is a bit misleading. For everyone how still gets confused with process, here are necessary steps:</p> <ol> <li><p>go to Extras/Signing Tools subfolder </p></li> <li><p>generate dsa private/public key pair:</p> <p>ruby generate_keys.rb</p> <p>Note that there is bug with this script in Sparkle 1.56b, so it might be better to take it from here: <a href="https://raw.github.com/andymatuschak/Sparkle/55eed9efd84c4a2163a3e2b86c8d9b68a243fb6b/generate_keys.rb" rel="nofollow">updated generate_keys.rb script</a> </p></li> <li><p>using sign_update.rb script (from same folder) you will generate dsa signature:</p> <p>ruby sign_update.rb </p></li> </ol>
40,108,426
0
paste fails when try to run wiith excel multiple instances <p>I have 3 instances of Excel-vba running at same time. Sometimes, just sometimes, the Copy &amp; paste fails. When fails, I just run this part of the code again and it runs well. It can happen with any Paste method of my code. </p> <p>I know that it happens just with multiple instances of excel, I want to know why. Glad for help!</p> <pre><code>'Copy to a new Sheet Call findAndSelectRange("Fabricante", "Grand Total", 5) ' make one selection Selection.Copy Workbooks("FFQ.xlsm").Activate Sheets.Add After:=Workbooks(WORKBOOK_MAIN).Sheets(Workbooks(WORKBOOK_MAIN).Sheets.count) ActiveSheet.Name = sheetName1 'ThisWorkbook.Worksheets.Select (ThisWorkbook.Worksheets.Count) Range("A2").Select ActiveSheet.Paste </code></pre>
23,348,587
0
<p>If you want to remove all Unicode characters from a string, you can use <code>string.encode("ascii", "ignore")</code>.</p> <p>It tries to encode the string to ASCII, and the second parameter <code>ignore</code> tells it to ignore characters that it can't convert (all Unicode chars) instead of throwing an exception as it would normally do without that second parameter, so it returns a string with only the chars that could successfully be converted, thus removing all Unicode characters.</p> <p>Example usage :</p> <pre><code>unicodeString = "Héllò StàckOvèrflow" print(unicodeString.encode("ascii", "ignore")) # prints 'Hll StckOvrflow' </code></pre> <p>More info : <a href="https://docs.python.org/3/library/stdtypes.html#str.encode" rel="nofollow"><code>str.encode()</code></a> and <a href="https://docs.python.org/3/howto/unicode.html" rel="nofollow">Unicode</a> in the Python documentation.</p>
23,745,501
0
<p>Java 7 supports the feature of having underscores in the numeric literals to improve the readability of the values being assigned.</p> <p>but the underscore usage is restricted to be in between two numeric digits, i.e not at the beginning or ending of the numeric values but should be confined between two digits, should not be as a prefix to l,f used to represent long and float values and not in between radix prefixes also.</p>
33,841,722
0
Swap the 2nd character with the next-to-last <p>I have to change the 2nd letter with penultimate letter for word with more than 3 letters. Example i have this string: Alex are mere<br> The result should be: Aelx are mree<br> But i get this when i run my program: Axel` aler</p> <p>This is the code:</p> <pre><code>#include &lt;stdio.h&gt; #include &lt;stdlib.h&gt; #include &lt;string.h&gt; int main() { int i,n,j=0; char text[81],cuv[44],l; printf("Introduce-ti textul:"); gets(text); for(i=0;i&lt;strlen(text);i++) { if(text[i] != 32) { cuv[j]=text[i]; j += 1; } else { n = strlen(cuv) - 1; l= cuv[1]; cuv[1]=cuv[n-1]; cuv[n-1]=l; printf("%s ",cuv); strcpy(cuv,""); j=0; } } return 0; } </code></pre>
17,228,721
0
<p>You can use AWT,SWT or Swing to build desktop applications. AWT and SWT are basic implementations and bit hard because of the limited GUI components. Swing is a kind of extended version of AWT but with more GUI components. Swing use almost all the AWT components in it. So It will be easy for you to begin with Swing. Is it good if you can write UI class by your own in order to get good understanding of how things are working but it will be easy if you use NetBeans desktop application tool or eclipse with WindowBuilder tool.</p>
12,908,621
0
My VBA code is aborting unexpectedly upon exiting a 'While' loop. Why? <p>I am new to VBA coding. I have done some coding in Javascript and C++, so I do understand the concepts. I'm not too familiar with the specifics of VBA, though. This particular code is for Excel 2007. The sort function was copied from elsewhere as pseudocode (documentation is not mine). I've rewritten it as VBA (unsuccessfully).</p> <p>This code is not working properly. The code is abruptly aborting entirely (not just jumping out of a loop or function, but quitting completely after going through the While loop twice.</p> <p>To replicate the problem, save this code as a Macro for an Excel sheet, type the number 9853 in B5, and in B6 type "=Kaprekar(B5)". Essentially, run Kaprekar(9853).</p> <p>Could someone please help me figure out what I'm doing wrong here? Thanks.</p> <p>By the way, I'm using While-Wend now. I also tried Do While-Loop with the same result.</p> <p>Here's the code:</p> <pre><code>Function Sort(A) limit = UBound(A) For i = 1 To limit ' A[ i ] is added in the sorted sequence A[0, .. i-1] ' save A[i] to make a hole at index iHole Item = A(i) iHole = i ' keep moving the hole to next smaller index until A[iHole - 1] is &lt;= item While ((iHole &gt; 0) And (A(iHole - 1) &gt; Item)) ' move hole to next smaller index A(iHole) = A(iHole - 1) iHole = iHole - 1 Wend ' put item in the hole A(iHole) = Item Next i Sort = A End Function Function Kaprekar%(Original%) Dim Ord(0 To 3) As Integer Ord(0) = Original \ 1000 Ord(1) = (Original - (Ord(0) * 1000)) \ 100 Ord(2) = (Original - (Ord(1) * 100) - (Ord(0) * 1000)) \ 10 Ord(3) = (Original - (Ord(2) * 10) - (Ord(1) * 100) - (Ord(0) * 1000)) If (Ord(0) = Ord(1)) * (Ord(1) = Ord(2)) * (Ord(2) = Ord(3)) * (Ord(3) = Ord(0)) = 1 Then Kaprekar = -1 Exit Function End If Arr = Sort(Ord) Kaprekar = Ord(3) End Function </code></pre>
39,180,627
0
Russian text displaying as ??? in my Angular app <p>I have an app which is reading information from an SQL database and displaying in a table. The information in the SQL table is in Russian and has collation utf8_unicode_ci. I am using Angular.</p> <p>Everything works fine - data is being displayed, however the text is displaying as ????? rather than the Russian text. </p> <p>How do I fix this error? I have tried googling but cant find anything relevant.</p> <p>Here is the head element of my index.html:</p> <pre><code>&lt;html ng-app="crudApp"&gt; &lt;head&gt; &lt;title&gt;Burger King Stock List&lt;/title&gt; &lt;meta name="viewport" content="width=device-width, initial-scale=1"&gt; &lt;!-- Include Bootstrap CSS --&gt; &lt;link rel="stylesheet" type="text/css" href="css/bootstrap.min.css"&gt; &lt;!-- Include main CSS --&gt; &lt;link rel="stylesheet" type="text/css" href="css/style.css"&gt; &lt;!-- Include jQuery library --&gt; &lt;script src="js/jQuery/jquery.min.js"&gt;&lt;/script&gt; &lt;!-- Include AngularJS library --&gt; &lt;script src="lib/angular/angular.min.js"&gt;&lt;/script&gt; &lt;!-- Include Bootstrap Javascript --&gt; &lt;script src="js/bootstrap.min.js"&gt;&lt;/script&gt; &lt;/head&gt; </code></pre> <p>I am thinking i needed to have another meta tag?</p>
11,591,766
0
<p>In order for your code to work, you have to reverse the logic i.e.</p> <pre><code>private void button1_Click(object sender, EventArgs e) { if(checkBoxWMVFile.Checked == false)//if the textbox is not checked { if (timercheckbox == null)//If this is the first time { timercheckbox = new Timer();//Create a timer timercheckbox.Interval = 10000; // Set the interval, before starting it. timercheckbox.Start();//Start it } else timercheckbox.Start();//If it is not the first time, just start it checkBoxWMVFile.Checked = true;//Check the checkbox } else//the checkbox is checked { timercheckbox.Stop();//Stop the timer checkBoxWMVFile.Checked = false;//Uncheck the checkbox } } </code></pre>
2,764,078
0
bulk update/delete entities of different kind in db.run_in_transaction <p>Here goes pseudo code of bulk update/delete entities of different kind in single transaction. Note that Album and Song entities have AlbumGroup as root entity. (i.e. has same parent entity)</p> <pre><code>class Album: pass class Song: album = db.ReferenceProperty(reference_class=Album,collection_name="songs") def bulk_update_album_group(album): updated = [album] deleted = [] for song in album.songs: if song.is_updated: updated.append(song) if song.is_deleted: deleted.append(song) db.put(updated) db.delete(deleted) a = Album.all().filter("...").get() # bulk update/delete album. db.run_in_transaction(bulk_update_album,a) </code></pre> <p>But I met a famous "Only Ancestor Queries in Transactions" error at the iterating back-reference properties like "album.songs". I guess ancestor() filter does not help because those entities are modified in memory.</p> <p>So I modify example like this: prepare all updated/deleted entities before calling transaction.</p> <pre><code>def bulk_update_album2(album): updated = [album] deleted = [] for song in album.songs: if song.is_updated: updated.append(song) if song.is_deleted: deleted.append(song) def txn(updated,deleted): db.put(updated) db.delete(deleted) db.run_in_transaction(txn,updated,deleted) </code></pre> <hr> <p>Now I found that iterating back-reference property force reload existing entities. So re-iterating back-reference property after modifying should be avoided!!</p> <p>All I want to verify is:</p> <blockquote> <p>When need to bulk update/delete many entities of different kind, is there any good coding pattern for this situation? my last code can be good one?</p> </blockquote> <hr> <p>Here goes full code example:</p> <pre><code>from google.appengine.ext import webapp from google.appengine.ext.webapp import util import logging from google.appengine.ext import db class Album(db.Model): name = db.StringProperty() def __repr__(self): return "%s%s"%(self.name,[song for song in self.songs]) class Song(db.Model): album = db.ReferenceProperty(reference_class=Album,collection_name='songs') name = db.StringProperty() playcount = db.IntegerProperty(default=0) def __repr__(self): return "%s(%d)"%(self.name,self.playcount) def create_album(name): album = Album(name=name) album.put() for i in range(0,5): song = Song(parent=album, album=album, name='song#%d'%i) song.put() return album def play_all_songs(album): logging.info(album) # play all songs for song in album.songs: song.playcount += 1 logging.info(song) # play count also 0 here logging.info(album) def save_play_count(album): updated = [] for song in album.songs: updated.append(song) db.put(updated) db.run_in_transaction(save_play_count,album) def play_all_songs2(album): logging.info("loading : %s"%album) # play all songs updated = [] for song in album.songs: song.playcount += 1 updated.append(song) logging.info("updated: %s"%updated) db.put(updated) logging.info("after save: %s"%album) def play_all_songs3(album): logging.info("loading : %s"%album) # play all songs updated = [] for song in album.songs: song.playcount += 1 updated.append(song) # reload for song in album.songs: pass logging.info("updated: %s"%updated) def bulk_save_play_count(updated): db.put(updated) db.run_in_transaction(bulk_save_play_count,updated) logging.info("after save: %s"%album) class MainHandler(webapp.RequestHandler): def get(self): self.response.out.write('Hello world!') album = Album.all().filter('name =','test').get() if not album: album = db.run_in_transaction(create_album,'test') # BadRequestError: Only ancestor queries are allowed inside transactions. #play_all_songs(album) # ok #play_all_songs2(album) play_all_songs3(album) def main(): application = webapp.WSGIApplication([('/', MainHandler)], debug=True) util.run_wsgi_app(application) if __name__ == '__main__': main() </code></pre>
20,743,060
0
Symfony2 and date_default_timezone_get() - It is not safe to rely on the system's timezone settings <p>I have a Symfony2 project. I updated my php to 5.5.7 today and since then, I am getting the </p> <pre><code>Warning: date_default_timezone_get(): It is not safe to rely on the system's timezone settings. You are *required* to use the date.timezone setting or the date_default_timezone_set() function. In case you used any of those methods and you are still getting this warning, you most likely misspelled the timezone identifier. We selected the timezone 'UTC' for now, but please set date.timezone to select your timezone. in... </code></pre> <p>I setup the default timezone in my php.ini</p> <pre><code>[Date] ; Defines the default timezone used by the date functions ; http://php.net/date.timezone date.timezone = "Europe/Paris"; </code></pre> <p>To be sure that this is the good php.ini, I was checking with </p> <pre><code>phpinfo(); </code></pre> <p>And the path I ma getting there is the one I am modifying:</p> <pre><code> /usr/local/php5.5.7/lib </code></pre> <p>But in there, I see the </p> <pre><code>Default timezone UTC </code></pre> <p>Which is strange.</p> <p>any idea? Thank you.</p>
29,155,450
0
<p>You need to have a property to bind the selected items to. A multiple <code>&lt;Select&gt;</code> binds to, and post back an array of value types.</p> <pre><code>public class MyViewModel { public int[] SelectedContacts { get; set; } public List&lt;Contact&gt; AvailableContacts { get; set; } } </code></pre> <p>View</p> <pre><code>@Html.ListBoxFor(m =&gt; m.SelectedContacts, new SelectList(Model.AvailableContacts, "ExternalUserID", "PublicName"), new { @class = "form-control", size = "15" }) </code></pre>
6,208,732
0
LINQ to JSON in .net 4.0 Client Profile <p>How would I go about about using LINQ to JSON in the .net 4 Client Profile in C#. I'd like to query certain json responses as shown in <a href="http://blogs.msdn.com/b/mikeormond/archive/2008/08/21/linq-to-json.aspx" rel="nofollow" title="msdn blog">msdn blog post</a> without having to write out a contract (datacontract, servicecontract, etc). I really only need to query(read) the response, I don't need to modify the json response. (Also would a datacontract be faster than LINQ to JSON?)</p> <p>Alternatively I could use XML or the full .net 4 framework, but I'm hoping that this can be avoided. I can use external libraries if it's better than installing the whole framework.</p>
18,080,550
0
<p>I would have presented it this way :</p> <pre><code>&lt;root&gt; &lt;person&gt; &lt;email/&gt; &lt;fname/&gt; &lt;lname/&gt; &lt;ssn/&gt; &lt;/person&gt; &lt;person&gt; &lt;email&gt;mrnt...&lt;/email&gt; &lt;fname&gt;Martin&lt;/fname&gt; &lt;lname&gt;Dimitrov&lt;/lname&gt; &lt;ssn&gt;123&lt;/ssn&gt; &lt;/person&gt; &lt;person&gt; &lt;email&gt;dani...&lt;/email&gt; &lt;fname&gt;Dany&lt;/fname&gt; &lt;lname&gt;Jones&lt;/lname&gt; &lt;ssn&gt;987&lt;/ssn&gt; &lt;/person&gt; &lt;/root&gt; </code></pre> <p>And associate an xsd schema defining the maxoccurs attribute of email and ssd to 1 </p> <pre><code>&lt;xs:schema attributeFormDefault="unqualified" elementFormDefault="qualified" xmlns:xs="http://www.w3.org/2001/XMLSchema"&gt; &lt;xs:element name="root"&gt; &lt;xs:complexType&gt; &lt;xs:sequence&gt; &lt;xs:element name="person"&gt; &lt;xs:complexType&gt; &lt;xs:sequence&gt; &lt;xs:element type="xs:string" name="email" maxOccurs="1"/&gt; &lt;xs:element type="xs:string" name="fname"/&gt; &lt;xs:element type="xs:string" name="lname"/&gt; &lt;xs:element type="xs:string" name="ssn" maxOccurs="1"/&gt; &lt;/xs:sequence&gt; &lt;/xs:complexType&gt; &lt;/xs:element&gt; &lt;/xs:sequence&gt; &lt;/xs:complexType&gt; &lt;/xs:element&gt; &lt;/xs:schema&gt; </code></pre>
2,423,015
0
<p>The byte array should already be having what you originally read from the file. Write the byte array to a file on the disk and you should be good to go!</p>
7,362,028
0
<p>Here's a solution that works like the Evernote login screen:</p> <p>First, define a class that will be your special LinearLayout like this:</p> <pre><code>public class MyLayout extends LinearLayout { public MyLayout(Context context, AttributeSet attrs) { super(context, attrs); } public MyLayout(Context context) { super(context); } private OnSoftKeyboardListener onSoftKeyboardListener; @Override protected void onMeasure(final int widthMeasureSpec, final int heightMeasureSpec) { if (onSoftKeyboardListener != null) { final int newSpec = MeasureSpec.getSize(heightMeasureSpec); final int oldSpec = getMeasuredHeight(); if (oldSpec &gt; newSpec){ onSoftKeyboardListener.onShown(); } else { onSoftKeyboardListener.onHidden(); } } super.onMeasure(widthMeasureSpec, heightMeasureSpec); } public final void setOnSoftKeyboardListener(final OnSoftKeyboardListener listener) { this.onSoftKeyboardListener = listener; } public interface OnSoftKeyboardListener { public void onShown(); public void onHidden(); } } </code></pre> <p>This layout listens to measure changes, and if new measurements are &lt; than the old ones, that means part of the screen is eaten by soft keyboard.</p> <p>Though, for it to work, in your manifest you need to set <code>android:windowSoftInputMode="adjustResize"</code> so the content will be resized and not just shifted.</p> <p>And the whole system works as follows: You have your layout:</p> <pre><code>&lt;MyLayout id="layout"&gt; &lt;SomeImage id="image"/&gt; &lt;SomeText&gt; &lt;SomeInput&gt; &lt;/MyLayout&gt; </code></pre> <p>It's like evernotes login screen. Then, in your activity:</p> <pre><code>((MyLayout)findViewById(R.id.layout)).setOnSoftKeyboardListener(new OnSoftKeyboardListener() { @Override public void onShown() { findViewById(R.id.image).setVisibility(View.GONE); } @Override public void onHidden() { findViewById(R.id.image).setVisibility(View.VISIBLE); } }); </code></pre> <p>Then go to manifest.xml and set </p> <pre><code>android:windowSoftInputMode="adjustResize" </code></pre> <p>What will happen, is when soft keyboard is shown, it'll hide the image and will resize the rest of content. (You can actually see how text is resized in Evernote)</p> <p>Image hide is, of course, one of the many things you can do. But you must be careful, since different layout changes will also call onMeasure.</p> <p>Of course it's a dirty variant. You need to check for orientation changes, and the right time when actually take the measurements, and maybe some more logic when comparing the new specs with the old ones. But i think this is the only way to do it.</p>
11,991,093
0
<p><code>glEnable(GL_TEXTURE_2D)</code> (or the openTK equivalent) does not exist in OpenGLES 2.0. It only controls texturing for the fixed pipeline.</p> <p>To use textures in OpenGLES 2.0, you just sample them in your shader, there's no need to enable anything. </p>
25,099,724
0
Unzip files in C# (using winzip command line) <p>I'm trying to create program to unzip files. I need to use winzip command line. I try to send in argument command to cmd, but it didn't work, because cmd didn't know my command. When I pasted manually command, it works. </p> <pre><code>var process = new ProcessStartInfo("cmd.exe"); var command = "/c WZUNZIP -spassword" + "\""+ "C:\my path\file.zip" + "\"" + " " + "\"" + "C:\my path" + "\""; process.UseShellExecute = false; process.Arguments = command; Process.Start(process); </code></pre> <p>I tried to create .bat file and execute this file in my program, but like before it didn't work, when I executed it in my program and when start manually it works.</p> <pre><code>start cmd.exe /c WZUNZIP -spassword "C:\my path\file.zip" "C:\my path" var process = new ProcessStartInfo("cmd.exe", pathToBatch); Process.Start(process); </code></pre> <p>Mayby u know, the best way to execute .bat file in C#.</p> <p>I need to use winzip, because only it provides encoding for my files. I tried to use DotNetZip and during uziping program threw exception that it can't be unziped, because library can't operate this files.</p>
26,616,600
0
<p>If there were no discriminator column in the target table then I guess you could still do it using the (non-JPA compliant) Hibernate annotation @DiscriminatorFormula.</p> <p><a href="http://docs.jboss.org/hibernate/annotations/3.5/reference/en/html_single/" rel="nofollow">http://docs.jboss.org/hibernate/annotations/3.5/reference/en/html_single/</a></p> <p>The JPA spec also allows for overriding/disabling JPA annotation processing via XML mapping files. I haven't really used this feature however see the following discussion which appears to suggest that you could convert the existing Entity to a MappedSuperclass via this mechanism. </p> <p><a href="http://stackoverflow.com/a/2516951/1356423">http://stackoverflow.com/a/2516951/1356423</a></p>
25,346,175
0
Reading the output streams from a C/C++ coded application <p>First of all, i'm on Ubuntu 14.04</p> <p>So, here's my problem: I'm dealing with a C++ coded application that has a graphical interface (games/music players/etc). This application constantly sends strings to a logger whenever something happens, but those are only visible inside the client.</p> <p>What I've tried to do already (failures):</p> <ul> <li><p>strace the application and filter the results (let's say if the application showed the message "Hello, user", i would log all the outputs to a test file and search for "Hello")</p></li> <li><p>ltrace the application</p></li> <li><p>debug the application with dbg</p></li> <li><p>search for debug methods on C/C++ apps</p></li> </ul> <p>What I've got from this last method is that programs usually log errors and messages through a <code>clog</code> stream. What could I do to retrieve that information?</p> <p>Resuming, I have a graphical C/C++ coded application that constant inputs strings on a window inside the client; I want to read those strings or any other strings/inputs this application does. Any debugging/memory reading information may also be helpful!</p> <p>Thanks</p>
36,135,860
0
<p>You have to explicitly add the <code>RequestMethod</code></p> <p><code>@RequestMapping(method = RequestMethod.POST, value = "/importContacts")</code></p>
28,068,750
0
Unable Redirecting to a New Page <p>I want to redirect to a new page on a button click. Suppose that I have a button in my <strong>Default.aspx</strong> as:</p> <pre><code>&lt;asp:Button ID="signup_but" runat="server" Text="SignUp" onClick="Register"&gt;&lt;/asp:Button&gt; </code></pre> <p>and I want to redirect to a new page when I click this Button my Register Method is in <strong>Default.aspx.cs</strong> as:</p> <pre><code>protected void Register(object sender, EventArgs e) { Response.Redirect("~/Registration.aspx"); } </code></pre> <hr> <p>The Problem is that when i click this button to redirect to a new page as <strong>Registration.aspx</strong> it does not redirect my to the page and shows the following URL:</p> <pre><code> http://localhost:18832/My%20First%20WebSite/Default.aspx?ReturnUrl=%2fMy+First+WebSite%2fRegistration.aspx </code></pre>
16,428,811
0
Startup Script with Elastic Beanstalk <p>I'm using Elastic Beanstalk (through Visual Studio) to deploy a .NET environment to EC2. Is there any way to have the equivalent of Azure's startup cmd scripts or powershell scripts? I know that you can pass scripts through User Data when creating EC2 instances, but is that possible in Elastic Beanstalk? If not, how can I create a script that executes one time on instance creation? The main purpose of the script is to download certain resources and to install dependencies before the application starts.</p>
17,254,452
0
<p>The size of a vector is split into two main parts, the size of the container implementation itself, and the size of all of the elements stored within it.</p> <p>To get the size of the container implementation you can do what you currently are:</p> <pre><code>sizeof(std::vector&lt;int&gt;); </code></pre> <p>To get the size of all the elements stored within it, you can do:</p> <pre><code>MyVector.size() * sizeof(int) </code></pre> <p>Then just add them together to get the total size.</p>
4,420,469
0
<p>Similar question: <a href="http://stackoverflow.com/questions/826398/is-it-possible-to-dynamically-compile-and-execute-c-code-fragments">Is it possible to dynamically compile and execute C# code fragments?</a></p>
37,442,883
0
<p>It looks like you set it up correctly. I would try invalidating the caches and restarting. I've had a similar problem to this before and that did it.</p> <p>Go to "File" -> "Invalidate Caches/Restart" and choose "Invalidate and Restart".<a href="https://i.stack.imgur.com/aTRej.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/aTRej.png" alt="enter image description here"></a></p>
40,038,803
0
<p>Please check that the name of ValidationGroup in your CustomValidator and the button is same or not. If not assign common name to them.</p>
34,200,537
0
<p>This expresssion </p> <pre><code>string(0) </code></pre> <p>is already invalid and results in undefined behaviour.</p> <p>The compiler considers this expression like</p> <pre><code>string( (const char * )0 ) </code></pre> <p>but null pointer may not be used in this constructor.</p> <p>The loop you wrote could work if you define one more element in the array - an empty string as for example</p> <pre><code>string mesi[] = { "Gennaio", "Febbraio", "Marzo", "Aprile", "Maggio", "Giugno", "Luglio", "Agosto", "Settembre", "Ottobre", "Novembre", "Dicembre", "" ^^^ }; printMesi(mesi); void printMesi(string v[]) { for (string* p = v; *p != ""; p++) cout &lt;&lt; (*p) &lt;&lt; "\n"; } </code></pre> <p>However first of all there is no sense to declare the array as an array of strings. It is an array of a fixed size with values that are supposed to be immutable.</p> <p>So it is better to use string literals instead of objects of type std::string.</p> <p>I would suggest to use <code>std::array</code> instead of the ordinary array. For example</p> <pre><code>#include &lt;array&gt; //... std::array&lt;const char *, 12&gt; mesi = { { "Gennaio", "Febbraio", "Marzo", "Aprile", "Maggio", "Giugno", "Luglio", "Agosto", "Settembre", "Ottobre", "Novembre", "Dicembre" } }; void printMesi( const std::array&lt;const char *, 12&gt; &amp;mesi ); { for ( const char *m : mesi ) std::cout &lt;&lt; m &lt;&lt; "\n"; } printMesi( mesi ); </code></pre> <p>If your compiler does not support the class <code>std::array</code> then you can use an ordinary array declared the following way</p> <pre><code>const char * mesi[] = { "Gennaio", "Febbraio", "Marzo", "Aprile", "Maggio", "Giugno", "Luglio", "Agosto", "Settembre", "Ottobre", "Novembre", "Dicembre", 0 }; </code></pre> <p>and the function can look like</p> <pre><code>void printMesi( const char *mesi[]) { for ( const char *m = mesi; m != 0; m++ ) std::cout &lt;&lt; m &lt;&lt; "\n"; } </code></pre>
25,852,820
0
How do I put div after div with fixed position? <p>I'm trying to create a front page in which i am using something like this:</p> <pre><code>&lt;!doctype html&gt; &lt;html&gt; &lt;head&gt; &lt;meta charset="utf-8"&gt; &lt;title&gt;My Page&lt;/title&gt; &lt;link href="style.css" rel="stylesheet" type="text/css"&gt; &lt;/head&gt; &lt;body&gt; &lt;div id="wrapper"&gt; &lt;div id="header"&gt; &lt;h1&gt;Header&lt;/h1&gt; &lt;br/&gt; &lt;/div&gt; &lt;div id="box1"&gt; Content &lt;/div&gt; &lt;/div&gt; &lt;/div&gt; &lt;/body&gt; &lt;/html&gt;`enter code here` </code></pre> <p>And my css is </p> <pre><code>#header{ position:relative; text-align:center; width:100%; margin-left:0%; color:#FEA13A; text-shadow:#CCC 1px 1px 1px; font-size:22px; background:#000000; } #box1{ width:80%; position:relative; margin-top:10px; margin-left:20%; margin-right:20; } #wrapper{ width:100%; position:absolute; } </code></pre> <p>I want to be able to use fixed position in every part of the page to adjust to the screen but when I use "position:fixed;" on the first header, everything after it doesn't take the positioning properly.</p> <p>How to solve this?</p>
6,248,895
0
<pre><code>EducList = new ObservableCollection&lt;tblGALContinuingEducationHistory&gt;(currentGal.tblGALContinuingEducationHistories.Count &gt; 0 &amp;&amp; currentGal.tblGALContinuingEducationHistories != null ? currentGal.tblGALContinuingEducationHistories : null); int count = 0; //5 is the maximum no of course an atty can take and save in this form count = 5 - EducList.Count; for (int i = 0; i &lt; count; i++) { galContEdu = FileMaintenanceBusiness.Instance.Create&lt;tblGALContinuingEducationHistory&gt;(); galContEdu.AttorneyID = currentGal.AttorneyID; EducList.Add(galContEdu); } </code></pre> <p>then save only the ones that has data:</p> <pre><code>foreach (var item in EducList) { if(!string.IsNullOrEmpty(item.CourseTitle) || !string.IsNullOrWhiteSpace(item.CourseTitle)) FileMaintenanceBusiness.Instance.SaveChanges(item, true); } </code></pre>
12,761,896
0
<p>A primary key in database design should be seen as a unique identifier of the info being represented. By removing an ID from a table you are essentially saying that this record shall be no more. If something was to take its place you are saying that the record was brought back to life. Now technically when you removed it in the first place you should have removed all foreign key references as well. One may be tempted at this point to say well since all traces are gone than there is no reason something shouldn't take it's place. Well, what about backups? Lets say you removed the record by accident, and it ended up replaced by something else, you would not be able to easily restore that record. This could also potentially cause problems with rollbacks. So not only is reusing ID's not necessary but fundamentally wrong in the theory of database design.</p>
13,786,647
0
<p>As @PinkElephantsOnParade writes, it makes no difference for the execution. Thus, it's solely a matter of personal aesthetical preference.</p> <p>I myself set my editor to display trailing whitespace, since I think trailing whitespace is a bad idea. Thus, your line 10 would be highlighted and stare me in the face all the time. Nobody wants that, so I'd argue line 10 should not contain whitespace. (Which, coincidentally is how my editor, emacs, handles this automatically.)</p>
5,716,076
0
Android: Gridview not showing correctly <p>I'm trying to build a screen with a single column grid that is 180px wide and attaches to the right side of the screen. The problem I'm facing is that the background of the gridview paints the whole screen and not just that 180px I specified in the XML (thus blocking my background pic specified in the LinearLayout).</p> <p>Neither using weight nor gravity solves the problem.</p> <p>Seems simple enough yet I've been toying with this for hours to no avail. Thanks in advance for your help.</p> <p>My layout.xml as follows:</p> <pre><code>&lt;LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:orientation="vertical" android:layout_width="fill_parent" android:layout_height="fill_parent" android:background="@drawable/main_bkgd"&gt; &lt;GridView android:layout_height="fill_parent" android:scrollbars="none" android:numColumns="1" android:columnWidth="180px" android:verticalSpacing="6dp" android:layout_width="wrap_content" android:id="@+id/mainmenu_grid" android:gravity="right" android:fadingEdge="vertical" android:layout_gravity="right" android:background="#000000" android:layout_weight=".35"&gt; &lt;/GridView&gt; &lt;/LinearLayout&gt; </code></pre>
29,012,370
0
<p>The error is being returned because the conditions being evaluated are not short-circuiting - the condition <code>PostalCode&lt;7000</code> is being evaluated even where the postal code is non-numeric.</p> <p>Instead, try:</p> <pre><code>SELECT * from Person.Address WHERE CASE WHEN PostalCode NOT LIKE '%[^0-9]%' THEN CAST(PostalCode AS NUMERIC) ELSE CAST(NULL AS NUMERIC) END &lt;7000 </code></pre> <p>(Updated following comments)</p>
28,464,752
0
not entering the condition if(intent.resolve(getPackageManager()){} neither else{} <p>Hey I want my app to locate someone on a map so I made an intent but it's not working and I've no error so I'm a bit lost. I think I've no app that can perform a map location on my emulator but even then I should have that said in my logs. Here is the code: </p> <pre><code>private void openLocationInMap(){ Log.d("map","in fct"); SharedPreferences sharedPreferences = PreferenceManager.getDefaultSharedPreferences(this); final String BASE_URL ="geo:0,0?q="; Log.d("map","1"); String locationData = sharedPreferences.getString(getString(R.string.pref_location_key), getString(R.string.pref_location_default)); Log.d("map","2"); Uri uriGeolocalisation = Uri.parse(BASE_URL).buildUpon() .appendQueryParameter("q", locationData).build(); Log.d("map","3"); Intent intent = new Intent (Intent.ACTION_VIEW); intent.setData(uriGeolocalisation); Log.d("map","4"); if(intent.resolveActivity(getPackageManager()) != null) { Log.d("map", "in if"); startActivity(intent); }else{ Log.d("map", "couldn't open intent"); } Log.d("map","5"); } </code></pre> <p>And in my log debug I get :</p> <p>in fct, 1,2,3,4. </p> <p>Edit: if that can help it works on my phone but still not working on the emulator. I'm guessing it's because I don't have google map on my emulator but still I should see something in the logs which I don't.</p>
2,244,268
0
<p>Have you setup your cancelbutton property ??</p> <p></p>
8,388,514
0
<p>The error message to me indicates that the VM is trying to find <code>PingBack</code> in <code>PostsController</code>, I am thinking you are missing a require or include statement for <code>PingBack</code>.</p>
41,028,172
0
A simple if statement seems to mess one function <p>I´m trying to hide and show some of the input fields in a form with jQuery. But it seems as the first if statement in the is messing things up. If I comment the if statement, everything works like a charm (except to check the default radio button if old input is missing).</p> <p>The line <code>{{ old('type_of_content') }}</code> is from the Laravel Framework to retrieve old form input data if the validation fails.</p> <pre><code>$(document).ready(function(){ // Set the checked radiobutton var radio_checked = '{{ old('type_of_content') }}'; if (radio_checked) { // check if variable is empty or not $('input:radio[id='+radio_checked+']').attr('checked', true); }else{ $('input:radio[id=is_question]').attr('checked', true); } $.fn.showQuestion = function(){ $("#remove_questions_choices").show(); $("#remove_questions_box").show(); $("#data").show(); // Fråga $("#information_body").hide(); $("#is_information").attr("checked", false) $("#is_question").attr("checked", true) alert('Question is selected') } $.fn.showInformation = function(){ $("#remove_questions_choices").hide(); $("#remove_questions_box").hide(); $("#data").hide(); $("#information_body").show(); $("#is_question").attr("checked", false) $("#is_information").attr("checked", true) alert('Information is selected') } // If radio button is changed by user click $('input:radio[name=type_of_content]').change(function () { if ($("#is_question:checked").val()) { $.fn.showQuestion(); } if ($("#is_information:checked").val()) { $.fn.showInformation(); } }); // When a radio button is selected on page load (working) $('#is_question:checked').val(function(){ $.fn.showQuestion(); }); $('#is_information:checked').val(function(){ $.fn.showInformation(); }); }); </code></pre> <p>The expected result should be to check if old input data exist, and check the corresponding radio button if so. Else, check the "default" radio button. No errors is reported in the chrome dev tools.</p> <p>But what is happening is that i cannot "reselect" the <code>#is_question</code>, the <code>showQuestion()</code>. But <code>showInformation()</code> seems to be working.</p> <p>Using jQuery 3.1.0</p> <p>Made a fiddle: <a href="https://jsfiddle.net/zs85p7nx/" rel="nofollow noreferrer">https://jsfiddle.net/zs85p7nx/</a></p>
26,437,889
0
<p>Ok, I downloaded your zip and ran the program. Your problem isn't in the matrix multiplication at all. The advice in the comments is still valid about reducing the number of threads, however as it stands the multiplication happens very quickly.</p> <p>The actual problem is in your <code>writeToAFile</code> method - all the single-threaded CPU utilization you are seeing is actually happening in there, after the multiplication is already complete.</p> <p>The way you're appending your strings:</p> <pre><code>fileOutputString = fileOutputString + resultMatrix[i][j] </code></pre> <p>creates thousands of new <code>String</code> objects which then immediately become garbage; this is very inefficient. You should be using a <code>StringBuilder</code> instead, something like this:</p> <pre><code>StringBuilder sb=new StringBuilder(); for (int i = 0; i &lt; resultMatrix.length; i++) { for (int j = 0; j &lt; resultMatrix[i].length; j++) { sb.append(resultMatrix[i][j]); if (j != resultMatrix[i].length - 1) sb.append(","); } sb.append("\n"); } String fileOutputString=sb.toString(); </code></pre> <p>That code executes in a fraction of a second.</p>
34,308,809
0
<p>It seems that the behavior of <code>NSBundle preferredLocalizationsFromArray</code> changed from iOS 8.4 to 9.0.</p> <p>Example: I have selected "Austria" as region, and "German" as language.</p> <ul> <li>iOS 8.4 returns only one preferredLocalization "de".</li> <li>iOS 9.0 returns two - "de_AT" and "de". </li> </ul> <p>For "de_AT", <code>NSBundle pathForResource</code> cannot find the "de" localization, and returns nil.</p> <p>Fixed with this (ideally unnecessary) workaround:</p> <pre><code>NSArray* availableLocalizations = [[NSBundle mainBundle] localizations]; NSArray* userPreferred = [NSBundle preferredLocalizationsFromArray:availableLocalizations forPreferences:[NSLocale preferredLanguages]]; NSString *indexPath; for (NSString *locale in userPreferred) { indexPath = [[NSBundle mainBundle] pathForResource:@"hilfe" ofType:@"html" inDirectory:nil forLocalization:locale]; if (indexPath) break; } </code></pre>
39,177,415
0
length field in Object Class <p>Sorry if this question have been asked before. I have some doubts regarding length field of Object class. Correct me if i am wrong, Every class impilcitly extends Object class thats why we can access every methods like equals,clone,hashcode etc</p> <p>So my question is when we create any array for example array of int[] ,foo[] we can access length field of Object class but when we create any object we can not see length variable, why?</p>
40,679,484
0
Removing schema details from ouput xml and converting into array (Using PHP SoapClient and simplexml_load_string or SimpleXMLElement) <p>I am getting XML response from third party service,</p> <pre><code>$soap = new SoapClient($wsdl, $options); $data = $soap-&gt;method($params); </code></pre> <p>Response looks like Stdclass object values</p> <p><strong>$data</strong> contains the xml inside the array object</p> <p><strong>$data->resultResponse->any</strong> contains below xml format,</p> <pre><code>&lt;xs:schema xmlns="" xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata" id="NewDataSet"&gt;&lt;xs:element name="NewDataSet" msdata:IsDataSet="true" msdata:MainDataTable="Temp" ..... &lt;/xs:element&gt;&lt;/xs:schema&gt;&lt;diffgr:diffgram xmlns:msdata="urn:schemas-microsoft-com:xml-msdata" xmlns:diffgr="urn:schemas-microsoft-com:xml-diffgram-v1"&gt;&lt;DocumentElement xmlns=""&gt;&lt;Temp diffgr:id="Temp1" msdata:rowOrder="0"&gt;&lt;name&gt;Siva&lt;/name&gt;&lt;age&gt;18&lt;/age&gt;....&lt;location&gt;chennai&lt;/chennai&gt;&lt;/Temp&gt;&lt;Temp diffgr:id="Temp2" msdata:rowOrder="0"&gt;&lt;name&gt;John&lt;/name&gt;&lt;age&gt;18&lt;/age&gt;....&lt;location&gt;chennai&lt;/chennai&gt;&lt;/Temp&gt; </code></pre> <p></p> <p>I am getting below error When this xml using in to <strong>SimpleXMLElement</strong> or <strong>simplexml_load_string</strong> for array conversion ,</p> <pre><code>$res = $data-&gt;resultResponse-&gt;any; $res1 = new SimpleXMLElement($res); $res2 = simplexml_load_string($res); </code></pre> <p>For the both $res1 &amp; $res2,</p> <pre><code>Warning: simplexml_load_string(): Entity: line 1: parser error : Extra content at the end of the document in soap.php on line 40 </code></pre> <p>I don't want the <code>"&lt;xs:schema"</code> from that xml. I want <code>"&lt;diffgr:diffgram"</code> values.</p> <p>Previously, I used nusoap library for this. That is working fine for less memory data. Nusoap converts the whole xml into array. But, Php-Soap client gives only the first-level elements as objects/key.</p> <p>I tried already some ways in loadXml in DOM and preg_replace. But those are not much helpfull</p> <p>Please help me to resolve the problem.</p> <p><strong>Original xml response getting from Boomerang,</strong></p> <pre><code>&lt;?xml version="1.0" encoding="utf-8"?&gt; &lt;soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema"&gt; &lt;soap:Body&gt; &lt;ClaimMISResponse xmlns="http://tempuri.org/"&gt; &lt;ClaimMISResult&gt; &lt;xs:schema id="NewDataSet" xmlns="" xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"&gt; &lt;xs:element name="NewDataSet" msdata:IsDataSet="true" msdata:MainDataTable="Temp" msdata:UseCurrentLocale="true"&gt; &lt;xs:complexType&gt; &lt;xs:choice minOccurs="0" maxOccurs="unbounded"&gt; &lt;xs:element name="Temp"&gt; &lt;xs:complexType&gt; &lt;xs:sequence&gt; &lt;xs:element name="name" type="xs:string" minOccurs="0" /&gt; ... &lt;xs:element name="location" type="xs:string" minOccurs="0" /&gt; &lt;/xs:sequence&gt; &lt;/xs:complexType&gt; &lt;/xs:element&gt; &lt;/xs:choice&gt; &lt;/xs:complexType&gt; &lt;/xs:element&gt; &lt;/xs:schema&gt; &lt;diffgr:diffgram xmlns:msdata="urn:schemas-microsoft-com:xml-msdata" xmlns:diffgr="urn:schemas-microsoft-com:xml-diffgram-v1"&gt; &lt;DocumentElement xmlns=""&gt; &lt;Temp diffgr:id="Temp1" msdata:rowOrder="0"&gt; &lt;name&gt;John&lt;/name&gt; ... &lt;location&gt;Chennai&lt;/location&gt; &lt;/Temp&gt; &lt;/DocumentElement&gt; &lt;/diffgr:diffgram&gt; &lt;/ClaimMISResult&gt; &lt;/ClaimMISResponse&gt; &lt;/soap:Body&gt; &lt;/soap:Envelope&gt; </code></pre>
22,847,456
0
<p>You can temporarily disable <strong>ScreenUpdating</strong></p> <pre><code>Sub SilentRunning() Application.ScreenUpdating = False ' ' do your thing ' Application.ScreenUpdating = True End Sub </code></pre>
37,466,531
0
WPF XAML ListView - Make TextBlock Text wrap <p>I have a ListView with ListView.ItemTemplate like this</p> <pre><code>&lt;ListView x:Name="myList" BorderBrush="Transparent" ItemsSource="{Binding MyItems}" SelectedIndex="0" ScrollViewer.CanContentScroll="True" ScrollViewer.VerticalScrollBarVisibility="Auto"&gt; &lt;ListView.ItemContainerStyle&gt; &lt;Style TargetType="ListViewItem"&gt; &lt;Setter Property="HorizontalContentAlignment" Value="Stretch"/&gt; &lt;Setter Property="Padding" Value="0" /&gt; &lt;/Style&gt; &lt;/ListView.ItemContainerStyle&gt; &lt;ListView.ItemTemplate&gt; &lt;DataTemplate&gt; &lt;Grid Margin="5,5,5,5"&gt; &lt;Grid.ColumnDefinitions&gt; &lt;ColumnDefinition Width="200"/&gt; &lt;--THIS WILL FORCE WRAPPING &lt;ColumnDefinition Width="50"/&gt; &lt;/Grid.ColumnDefinitions&gt; &lt;Grid&gt; &lt;Grid.RowDefinitions&gt; &lt;RowDefinition Height="*"/&gt; &lt;RowDefinition Height="*"/&gt; &lt;/Grid.RowDefinitions&gt; &lt;TextBlock Text="{Binding FilePath}" Grid.Row="0" Margin="3,3,3,3" Style="{StaticResource MyFilePathTextLabel}" TextWrapping="WrapWithOverflow"/&gt; &lt;-- THIS WILL NOT WRAP TEXT &lt;StackPanel Orientation="Horizontal" Grid.Row="1" Margin="3,3,3,3"&gt; &lt;TextBlock Text="Lab location: "/&gt; &lt;TextBlock Text="{Binding LabLocation}" Style="{StaticResource MyLabLocationTextLabel}"/&gt; &lt;/StackPanel&gt; ... ... &lt;/DataTemplate&gt; &lt;/ListView.ItemTemplate&gt; ... ... &lt;/ListView&gt; </code></pre> <p>This will show ListView items like this:</p> <pre><code>---------------------------------- C:/samples/folderA/myfile1.txt &lt;-- NO WRAP AS IT FITS Lab location: Chemistry Lab 301 ---------------------------------- C:/samples/folderA/folderB/fold erC/folderD/folderE/folderF/myf ile2.txt &lt;-- WRAP SINCE NOT FITTING Lab location: Chemistry Lab 301 ---------------------------------- C:/samples/folderA/folderB/myfi le3.txt &lt;-- WRAP SINCE NOT FITTING Lab location: Chemistry Lab 301 ---------------------------------- C:/samples/folderA/folderB/fold erC/folderD/folderE/folderF/fol derG/folderH/folderI/folderJ/fo lderK/myfile4.txt &lt;-- WRAP SINCE NOT FITTING Lab location: Chemistry Lab 301 ---------------------------------- C:/samples/myfile5.txt &lt;-- NO WRAP AS IT FITS Lab location: Chemistry Lab 301 ---------------------------------- </code></pre> <p>Above, each item show file location as wrapped if it does not fit the width of the ListView.</p> <p><strong>UPDATE:</strong> Updated XAML</p> <p><strong>UPDATE 2:</strong> Setting the column Width of grid container to hardcoded value of will force wrapping (see above commented line). But since form is resizable, the grid and ListView is also resizable. Therefore, I can not hardcode width. <strong>It needs to wrap according to the current size of the form.</strong></p>
30,494,480
0
<p>The simplest way in a nutshell:</p> <p><a href="https://jsfiddle.net/svArtist/2jd9uvx0/" rel="nofollow">https://jsfiddle.net/svArtist/2jd9uvx0/</a></p> <ol> <li><p>hide lists inside other lists</p></li> <li><p>upon hovering list elements, show the child lists</p></li> </ol> <p><div class="snippet" data-lang="js" data-hide="false"> <div class="snippet-code"> <pre class="snippet-code-css lang-css prettyprint-override"><code>ul ul { display:none; display:absolute; bottom:-100%; } li{ position:relative; } li:hover&gt;ul { display:table; }</code></pre> <pre class="snippet-code-html lang-html prettyprint-override"><code>&lt;ul&gt; &lt;li&gt;&lt;a href="#"&gt;The Salon&lt;/a&gt; &lt;ul&gt; &lt;li&gt;&lt;a href="#"&gt;Hair Cut&lt;/a&gt; &lt;/li&gt; &lt;/ul&gt; &lt;/li&gt; &lt;/ul&gt;</code></pre> </div> </div> </p>
10,258,924
0
JSON and iOS and string data <p>I have a problem with my attempt to show data in JSON UITableViewDataSource The data from JSON are:</p> <pre><code>[ "Jon", "Bill", "Kristan" ] </code></pre> <p>JSON itself has gone through the validator. The error I have is TableViews [2050: f803] Illegal start of token [h]</p> <p>Here is my code</p> <pre><code>NSString *myRawJson = [NSString stringWithFormat:@"http://site.com/json.php"]; if ([myRawJson length] == 0){ return; } NSError *error = nil; SBJsonParser *parser = [[SBJsonParser alloc] init]; tableData =[[parser objectWithString:myRawJson error:&amp;error] copy]; NSLog(@"%@", [error localizedDescription]); list = [[NSArray alloc] initWithObjects:@"Johan", @"Polo", @"Randi", @"Tomy", nil]; [super viewDidLoad]; // Do any additional setup after loading the view, typically from a nib. </code></pre>
1,153,940
0
<p>This is not really a programming question, but more of the management question.</p> <p>Missed deadlines are rarely developer's fault. As a developer you should try your best to do as good work as you can, but in the end everyone is capable of only so much. If developers put in honest effort and despite this the deadline was missed, it means that the deadline was unrealistic to begin with.</p> <p>Dealing with deadlines is responsibility of managers. There are different approaches but none of them include "penalizing" developers for doing their job. An important thing to understand here is the so-called project management <a href="http://en.wikipedia.org/wiki/Project_triangle" rel="nofollow noreferrer">triangle</a>. What it means is that software project can be good (i.e. meeting requirements, good quality), fast (meeting deadlines) and cheap (headcounts, tools). The trouble is that only 2 out of these 3 properties can be chosen.</p> <p>So if management want something good and fast - it is not going to be cheap.</p> <p>If management want something good and cheap - it won't be fast.</p> <p>And finally if management want cheap and fast - guess what, it won't be any good.</p> <p>So the correct response to missed deadline depends on the chosen scenario. Good and fast requires adding some extra help, better tools, investment in above-average developers and more. </p> <p>Good and cheap by definition assumes that deadlines are going to be missed (Blizzard, makers of World Of Warcraft are good example of this approach)</p> <p>And finally cheap and fast usually means cutting features and releasing with bugs.</p>
27,592,971
0
<p>You're conflating system call numbers with the system call arguments.</p> <p>The system call numbers (e.g. "3 = read") are OS-specific (well, kernel-specific), and sometimes version-specific. For example, see the system call numbers for Linux on x86 <a href="http://docs.cs.up.ac.za/programming/asm/derick_tut/syscalls.html" rel="nofollow">here</a> and on x86_64 <a href="https://filippo.io/linux-syscall-table/" rel="nofollow">here</a>. How the arguments are passed, how the system call is invoked, and what the system call numbers mean are all architecture- and kernel-specific.</p> <p>The number "0" for "standard input" on the other hand is a UNIX standardized value, <code>STDIN_FILENO</code>.</p>
12,851,914
0
<p>No. Once a blob is created/uploaded you can't change the blob type. Unfortunately you would need to recreate/re-upload the blob. However I'm somewhat surprised. You mentioned that you copied the blob from one storage account to another. Copy Blob operation within Windows Azure (i.e. from one storage account to another) preserves the source blob type. It may seem a bug in CloudBerry explorer. I wrote a blog post some days ago about moving virtual machines from one subscription to another (<a href="http://gauravmantri.com/2012/07/04/how-to-move-windows-azure-virtual-machines-from-one-subscription-to-another/">http://gauravmantri.com/2012/07/04/how-to-move-windows-azure-virtual-machines-from-one-subscription-to-another/</a>) and it has some sample code and other useful information for copying blobs across storage account. You may want to take a look at that. HTH.</p>
10,649,734
0
<p>Sounds like you need some sort of a mechanism to correlate requests to the different plugins available. Ideally, there should be a different URL path per set of operations published for each plugin. </p> <p>I would consider implementing a sort of map/dictionary of URL paths to plugins. Then for each request received, do a lookup in the map and get the associated plugin and send it the request accordingly. If there is no entry in the map, then a redirect/proxy could be sent. For example if URL = <code>http://yourThriftServer/path/operation</code>, the operation or the path <strong><em>and</em></strong> operation would map to a plugin.</p> <p>An extra step would be to implement a sort of meta request, whereby a client could query what URL paths/operations are available in the server.</p>
34,528,881
0
cronjob not working on Ubuntu server <p>I am trying to execute a cronjob on ubuntu server, below are its code:</p> <pre><code>$cronjobs = array(); $cronjobs['cron_24hr_sendmessage'] = '* * * * *'; $cronjobs['cron_1hr_sendmessage'] = '* * * * *'; $cronjobs['cron_10mnt_sendmessage'] = '* * * * *'; $cronjobs['cron_for_insertdataforappointmentstemporary'] = '* * * * *'; $cronjobs['cron_for_delete2daysoldclientdata'] = '0 0 1 * *'; $cronjobs['send_call_for_appointment'] = '* * * * *'; $cronjobs['giveWarningMessage'] = '* * * * *'; $cronjobs['redialCallForUnsuccessfullAppointment'] = '3 * * * *'; $cronjobs['voidPaymentForUnsuccessfulAppointment'] = '0 1 * * *'; $cronjobs['counselorStatusUpdate'] = '* * * * *'; </code></pre> <p>Which work perfectly fine for me. Now i have added one more cronjob in it and now that new cron is not working properly</p> <p>New cron is :</p> <pre><code>$cronjobs['oneMinuteWarning']='* * * * *'; </code></pre> <p>And the codes are as follow :</p> <pre><code>$cronjobs = array(); $cronjobs['cron_24hr_sendmessage'] = '* * * * *'; $cronjobs['cron_1hr_sendmessage'] = '* * * * *'; $cronjobs['cron_10mnt_sendmessage'] = '* * * * *'; $cronjobs['cron_for_insertdataforappointmentstemporary'] = '* * * * *'; $cronjobs['cron_for_delete2daysoldclientdata'] = '0 0 1 * *'; $cronjobs['send_call_for_appointment'] = '* * * * *'; $cronjobs['giveWarningMessage'] = '* * * * *'; $cronjobs['redialCallForUnsuccessfullAppointment'] = '3 * * * *'; $cronjobs['oneMinuteWarning'] = '* * * * *'; $cronjobs['voidPaymentForUnsuccessfulAppointment'] = '0 1 * * *'; $cronjobs['counselorStatusUpdate'] = '* * * * *'; </code></pre> <p>i also tried it running by changing cron position and now new cron start working and all remaning cron stop working.</p>
36,068,325
0
<p>You should use your frames converted to single channel, i.e. of type <code>CV_8UC1</code>:</p> <pre><code>disparity = stereo.compute(frame0_new, frame1_new) </code></pre>
19,261,554
0
<p>You need to move the delete query parameter up in your Url. I suspect that it is getting lost after the query parameter. Try the following:</p> <pre><code> http://localhost:8983/solr/update?commit=true&amp;stream.body=&lt;delete&gt;&lt;query&gt;id:APP 5.6.2*&lt;/query&gt;&lt;/delete&gt; </code></pre>
21,123,593
0
How to get the value of a static object from within that object? <p>I’m trying to create a extern pointer to the value of a static object from within that static object. We’ll call this object Foo.</p> <p>Thus far, the only way I’ve gotten this to work is to create a Supervisor class that Foo inherits from that contains two static type variables. One, called superObject is the actual initialized object. The other, called superPointer, is a double pointer of the same type. Inside of the Foo object I declare an extern pointer named TheSupervisor and assign it a nullptr. Then, from within the Supervisor base class, I use the double pointer superPointer to change the value of TheSupervisor extern pointer to the address of the superObject. Wallah.</p> <p>The goal is here to create a globally accessible reference to this object. Trying my best to avoid singletons and keep things thread safe. I’m just wondering if there’s a better way?</p> <p>I'd post code, but I'd really have to clean it and change it around. I think the description is sufficient. Maybe even simpler, actually.</p> <p>EDIT: As it turns out, for static objects, I can't rely on when and in what order they are constructed. Using a one-phase process won't work for this. Instead, I have to keep relying on a two-phase process such as the one I outlined above. Marking Ilya Kobelevskiy's answer as correct as it demonstrates one way to do it, but again, it should come with a warning when used with static objects.</p>
22,036,801
0
<p>please refer this link i hope this is very help full for your requirements.<a href="http://www.androidhive.info/2011/11/android-sqlite-database-tutorial/" rel="nofollow">click here</a></p>
26,416,695
0
cannot convert argument 2 from 'std::string *' to 'std::string' <p>Not sure why this is happening, it seems like everything is lined up the way it should be unless there is something I am missing. I can't pass these variables and no matter what I try to throw at the compiler, it just gives me another error. </p> <p>This is my code so far.</p> <pre><code>void parse(string name, string storage_1, string storage_2, string storage_3) {//some code } //some more code int start = 0; int length = 0; string param_1, param_2, param_3; while (!infile.eof()) { if (!infile) { cout &lt;&lt; "ERROR: File " &lt;&lt; file &lt;&lt; " could not be located!" &lt;&lt; endl &lt;&lt; endl; break; } param_1.clear(); param_2.clear(); param_3.clear(); line_input.clear(); getline(infile, line_input); parse(line_input, &amp;param_1, &amp;param_2, &amp;param_3); cout &lt;&lt; param_1 &lt;&lt; endl &lt;&lt; param_2 &lt;&lt; endl &lt;&lt; param_3 &lt;&lt; endl &lt;&lt; endl; } </code></pre>
8,591,816
0
<p>It appears as if running it through the FileProtocolHandler causes it to open fine.</p> <pre><code>final Process process = Runtime.getRuntime().exec("rundll32 url.dll,FileProtocolHandler \\\\itsugar\\www\\HMI\\POD EDRAWINGS\\"+fileName); </code></pre>
20,489,905
0
<p>whenever you specify the namespace it means that the controller will search for the required resources in that particular namespace. So what i think is that you may not have some jsps that you are using in that particular "admin" namespace. So try moving all those resources into that folder. tell me if your code still not working</p>
9,468,987
0
<pre><code>$files = scandir("./"); foreach ($files as $filename) echo "&lt;input type=\"checkbox\" name="files[]" value="{$filename}" /&gt; {$filename}"; </code></pre>
38,531,724
0
<p><code>Module.decorator</code> was introduced as a shortcut for <code>$provide.decorator</code> in 1.4. <code>$provide.decorator</code> may be still used for backward compatibility.</p> <p>The obvious property of <code>$provide</code> methods is that function scope has access to both provider and instance injectors:</p> <pre><code>app.config(($provide, $compileProvider) =&gt; { $provide.decorator('linkService', ($delegate) =&gt; { $compileProvider.aHrefSanitizationWhitelist(...); return $delegate; }); </code></pre> <p>Less obvious but still important property of <code>$provide</code> methods is that they affect the application after config phase, while module methods don't, this creates the possibilities for lazy loading and other undocumented but potentially beneficial techniques:</p> <pre><code>app.config(($provide) =&gt; { $provide.value('$provide', $provide)); }); app.run(($provide) =&gt; { // app.decorator('service', ...) will do nothing here $provide.decorator('service', ...); }); app.run((service) =&gt; { ... }); </code></pre>
29,042,866
0
<p>If you can use conio.h then you can do that by reading input in a character array with getch() function. Or if you are in visual studio you can use _getch() function for the same result.</p> <p>conio.h defines function named getch() and getche() which reads a character then terminates without any enter key. Both these functions have specific meanings while they do the same task. I don't use those any more so I don't remember much. It's upto you if you wanna use them or not...</p>
10,629,435
0
Backbone.js rendering a reset collection with a single view <p>I'm trying to render a filtered collection from a single view using a select box using the reset property. First issue is that the select box and the rendered content must all appear in the same div in order to work. Is this normal? Second issue, is that instead showing the filtered results only, it appends the filtered collection to the end of the rendered content instead of replacing it.I know append in my ._each function won't work because it will only append the filtered items to the end of the entire collection. Here's my code sample below:</p> <pre><code>(function($) { var images = [ { tags: "Fun", date : "April 3, 2012", location : 'Home', caption : 'Having fun with my lady'}, { tags: "Chillin", date : "April 4, 2012", location : 'Home', caption : 'At the park with my lady'}, { tags: "Professional", date : "April 5, 2012", location : 'Home', caption : 'At the crib with my lady'}, { tags: "Education", date : "April 6, 2012", location : 'Home', caption : 'Having fun with my baby'}, { tags: "Home", date : "April 3, 2012", location : 'Home', caption : 'Having fun with my lady'}, { tags: "Professional", date : "April 4, 2012", location : 'Home', caption : 'At the park with my lady'}, { tags: "Fun", date : "April 5, 2012", location : 'Home', caption : 'At the crib with my lady'}, { tags: "Chillin", date : "April 6, 2012", location : 'Home', caption : 'Having fun with my baby'}, { tags: "Fun", date : "April 3, 2012", location : 'Home', caption : 'Having fun with my lady'}, { tags: "Education", date : "April 4, 2012", location : 'Home', caption : 'At the park with my lady'}, { tags: "Personal", date : "April 5, 2012", location : 'Home', caption : 'At the crib with my lady'}, { tags: "Personal", date : "April 6, 2012", location : 'Home', caption : 'Having a play date'} ]; var Item = Backbone.Model.extend({ defaults : { photo : 'http://placehold.it/200x250' } }); var Album = Backbone.Collection.extend({ model : Item }); var ItemView = Backbone.View.extend({ el : $('.content'), initialize : function() { this.collection = new Album(images); this.render(); $('#filter').append(this.createSelect()); this.on("change:filterType", this.filterByType); this.collection.on('reset', this.render, this); }, template : $('#img_container').text(), render : function() { var tmpl = _.template(this.template); _.each(this.collection.models, function (item) { this.$el.append(tmpl(item.toJSON())); },this); }, events: { "change #filter select" : "setFilter" }, getTypes: function () { return _.uniq(this.collection.pluck("tags"), false, function (tags) { return tags.toLowerCase(); }); }, createSelect: function () { var filter = this.$el.find("#filter"), select = $("&lt;select/&gt;", { html: "&lt;option&gt;All&lt;/option&gt;" }); _.each(this.getTypes(), function (item) { var option = $("&lt;option/&gt;", { value: item.toLowerCase(), text: item.toLowerCase() }).appendTo(select); }); return select; }, setFilter: function (e) { this.filterType = e.currentTarget.value; this.trigger("change:filterType"); }, filterByType: function () { if (this.filterType === "all") { this.collection.reset(images); } else { this.collection.reset(images, { silent: true }); var filterType = this.filterType, filtered = _.filter(this.collection.models, function (item) { return item.get("tags").toLowerCase() === filterType; }); this.collection.reset(filtered); } } }); var i = new ItemView(); })(jQuery); </code></pre>
19,871,021
0
What is event.preventDefault preventing despite the event? <p>One goal of my main controller is to prevent users from going to urls of other users. That works perfectly fine with listening on $locationChangeStart and using its events preventDefault method. Unfortunately calling this method has the strange side effect of somehow "interrupting" the work of the function "handleNotification" which has the goal of notifying the user for 2 seconds that she or he has done something illegitimate. If I comment out event.preventDefault(), everything works as expected. So my question is: What is the 'scope' of the 'default' preventDefault prevents that I don't have on my mind and which keeps the handleNotification function from working properly? </p> <pre><code>$scope.$on('$locationChangeStart', function(event, newUrl, oldUrl) { ifUserIs('loggedIn', function() { if (newUrl.split('#/users/')[1] !== $scope.user.userId) { handleNotification('alert', 'You are not allowed to go here.'); event.preventDefault(); } }); }); function handleNotification (type, message) { $scope.notice = { content: message, type: type }; $timeout(function() { delete $scope.notice; return true; }, 2000); } </code></pre>
3,879,303
0
<p>Try <a href="http://www.garshol.priv.no/download/text/http-tut.html#sresp" rel="nofollow">this</a></p> <p>Or <a href="http://en.wikipedia.org/wiki/Hypertext_Transfer_Protocol" rel="nofollow">this</a></p> <p>You could also try to use google.com for some searching on the net by the way.</p>
3,449,783
0
<p>Use <code>string.equals()</code> instead of ==.</p>
36,108,664
0
How to keep dashed lines from "dancing" in OpenGl? <p>I'm drawing some lines in OpenGL (from C) using code like this:</p> <pre><code>glLineStipple(6, 0xEEEE); glEnable(GL_LINE_STIPPLE); glBegin(GL_LINE_STRIP); glVertex2f(x, y); ... </code></pre> <p>It works great if everything is still. However, my problem is that as soon as I zoom in or out the line starts shimmering. I mean that the location of the dashes in the line move around. It looks very sloppy.</p> <p>Is there someway to anchor how the line is dashed in model space? I think my issue is that <code>glLineStipple()</code> look at the number of pixels drawn, but I'd like it to look at the length in model space instead.</p>