Posts

Showing posts from April, 2015

How to access html components in JSF EL? -

i want code in facelet (jsf 2.0) work: <h:inputtext id="q" /> <h:button outcome="/search.xhtml?q=#{q.value}" /> but when press button, search page opens without parameters. i think, el expression wrong. possible access inputtext value el expression? if not, how can achieve same functionality? i've finished using plain html form: <form action="faces/search.xhtml" method="get"> <input type="text" name="query" /> <input type="submit" value="find" /> </form> in search.xhtml have view param value of query string: <f:metadata> <f:viewparam name="query" /> </f:metadata> this solution has problem - "faces/search.xhtml" hardcoded. also, when place form in search.xhtml , perform several searches have in browser url: "http://localhost:8080/application/faces/faces/faces/sea...

binding to datagridview in C#? -

i have problem datagridview binding access table(access 2007), can retrieve data database, when wan store data cant, no code generated, want user fill rows in datagridview , store them in table of database, please me new c# please me private void form1_load(object sender, eventargs e) { // todo: line of code loads data 'policiasdataset.lineaaccion' table. can move, or remove it, needed. this.lineaacciontableadapter.fill(this.policiasdataset.lineaaccion); // todo: line of code loads data 'policiasdataset.seccion' table. can move, or remove it, needed. this.secciontableadapter.fill(this.policiasdataset.seccion); // todo: line of code loads data 'policiasdataset.actividad' table. can move, or remove it, needed. this.actividadtableadapter.fill(this.policiasdataset.actividad); // todo: line of code loads data 'policiasdataset.proyecto' table. can move, or remove it, needed. this.pro...

oracle - SQL Stored Procedure Convert Date Parameter -

i have sql stored procedure accepts 2 dates, when send them in open query, oracle not date format reason. how can change dateformat yyyy-mm-dd dd-mm-yyyy in stored procedure before sending using it. e.g set @startdate = convert use to_date function convert string value oracle date data type. to accept date string in format yyyy-mm-dd: v_start_date date := to_date(v_date_string, 'yyyy-mm-dd'); to accept date string in format dd-mm-yyyy: v_start_date date := to_date(v_date_string, 'dd-mm-yyyy');

mysql - Rails - how to pull specific sorted data out of database -

i have database columns (username, points). making call return fields database use in program. want pull: the top 10 users points the 5 users above/below username requesting rankings i can pull top 10 enough... top_users = userpoints.find( :all, :conditions => ['points > 0'], :order => "points desc", :limit => 10) pulling specific entry username requesting easy find_by_username, how determine user ranked? then, how go finding 5 users above , 5 users below specific user (assuming user not in top 10)? thanks! -mark maybe using 2 queries? users above current user: userpoints.all(:conditions => ['points > ?', user.points], :limit => 5, :order => 'points asc') users below current user: userpoints.all(:conditions => ['points < ?', user.points], :limit => 5, :order => 'points desc') maybe there way using single query, not sql expert, should solve you.

iphone - Using custom map with MKMapKit -

i creating iphone app os4.0, , attempting integrate custom map standard mkmapview. have been provided map in .eps format (vector image), , want somehow overlay on mkmapview in , restrict scrolling boundaries of map users cannot scroll outside boundaries of custom map. what's best way go this? i have read stuff hosting map tiles on server, seems overly complex application. map attraction size of public zoo, think conceivable convert .eps .png file, , overlay it, might not give best performance. i understand conceivable use uiscrollview job, problem have dynamically generated mkpinannotationviews placed on map, position must based on latitude , longitude, can't think on elegant or reasonable way scrollview. ideas? thanks! -matt apple has great bit of example code show need do. check out tilemap sample - available part of (free) wwdc 2010 samples download. it shows how use gdal2tiles utility convert input map tree of overlay tiles. another bit of apple samp...

C++ UDP Socket port multiplexing -

how can create client udp socket in c++ can listen on port being listened application? in other words, how can apply port multiplexing in c++? i want listen on 1 port you can sniffer. ignore packets different ports. i might need stop sending out particular packets, because program send instead of original application okay, here suggest discard sniffers, , use mitm technique. you'll need rely on prerouting firewall rule divert packets " proxy " application. assuming udp, linux, iptables, , " proxy " running on same host, here's " proxy " needs do: 1. add firewall rule divert packets (do manually, if prefer): iptables -t nat -a prerouting -i <iface> -p <proto> --dport <dport> -j redirect --to-port <newport> 2. bind , listen on <newport> . 3. relay traffic between 2 endpoints (client, , original destination). if you're running " proxy " on different host, use ge...

sql server - How can I join 2 table with 2 join condition? -

does know how can join 2 table 2 join condition? exmaple: table 1 date name 2010-01-01 ken 2010-01-01 alvin 2010-01-03 alvin 2010-01-04 ken 2010-01-07 amy table 2 date name count 2010-01-01 ken 5 2010-01-01 alvin 4 2010-01-04 ken 1 2010-01-03 alvin 0 how can join table 1 , table 2 when: table1 date = table2 date , table1 name = table2 name select t1.*, t2.* t1 join t2 on t1.date = t2.date , t1.name = t2.name

java - How to set the <%= ...> in to a loop counter? -

i want ask question jsp. writing following code in jsp page. however, when set <%= obj.getcounter()%> (use-defined method) loop counter, found not work. can me? thank you. the following code. <% private int looptime = <%= obj.getcounter()%>; %> <% for(int i=0; i<looptime; i++) { %> <tr> <td><%= obj.getname() %></td> <td><%= obj.getage() %></td> </tr> <%}%> you can't include 1 scriptlet inside another: what's point? <% int looptime = obj.getcounter(); %> is wanted? i'm asking because looptime isn't 'loop counter' in code, it's loop upper boundary.

c++ - Using a class that inherits a template class as a constructor parameter in the template class? -

say have following: template <class t> class foo {}; and descendant class, class bar : public foo<some_typename>{}; how go passing bar foo's constructor without foo.h including bar.h, if possible? it's unusual, there ways around it, depending on needs (elaborate, perhaps?). understand makes sense pass bar foo. in case, could: 1) create second template parameter in foo , lay out interface required @ construction: template < typename t, typename bar_ > class foo { /* ... */ foo(bar_& bar) : weight_(bar.getweight()) { } /* ... */ 2) or use template ctor: template < typename bar_ > foo(bar_& bar) : weight_(bar.getweight()) { } 3) if foo+bar lightweight, create extended initialization list, used bar @ init. 4) since template (and implementation must visible subclass , has special linkage), declare foo ctor takes bar pointer, define foo constructor in bar.hpp

math - how to transform a sphere to a hemisphere, smoothly -

i using 3rd-party "rotator" object, providing smooth, random rotation along surface of sphere. rotator used control camera (see rotator.h/c in source code xscreensaver ). the output of rotator latitude , longitude. want camera stay above "equator" - limited hemisphere. i'd rather not modify rotator itself. take latitude output , use absolute value of it. however, smooth rotator movement across equator not produce smooth camera motion: bounce. i suppose scale output latitude rotator current range target range: e.g. f(lat) = (lat+1)/2 map (0, 1) range (0.5, 1). i.e. map whole "globe" northern hemisphere. movement still smooth. intended "south pole" rotator become "equator" camera. wouldn't result in strange motion? maybe discontinuities? i'm not sure. is there way map sphere (latitude , longitude) hemisphere, smoothly? update: thanks attention , responses. couple of people have asked clarification on "smoo...

linux - unix shell set command -

want know set -a option in below command? xmloutfile=${xmloutdir}/${test_id} set -a files "${xmloutfile}" set -a korn shell (ksh) specific (not available in bash or posix sh) , initializes array specified value(s). here's example: $ set -a colors "red" "green" "blue" $ print ${colors[0]} red $ print ${colors[1]} green $ print ${colors[2]} blue in example, ${files[0]} set $xmloutfile . instead of using set -a can use example array[0]="value" more portable.

.net - How do I download a PDF from an HTML webpage-submitted POST form using C#? -

i'm trying programmatically download pdf document c# windows form application. right now, i've got far enough unique url each page goes download pdf. each link webpage submits form via post page loaded function window_onload() { form1.submit(); } then pdf starts downloading. stop pdf downloading , save automatically local machine. reason want because there around 15-20 pdfs need download every week. i use httpwebrequest object. depending on size pdfs, , response time of servers asynchronously or synchronously. synchronous flavor using getresponse() method. void dopdfdownload(string strmyurl, string strpostdata, string savelocation) { //create request var wr = (httpwebrequest)webrequest.create(myurl); wr.method = "post"; wr.contentlength = strpostdata.length; //identify content type... strpostdata should url encoded per next //declaration wr.contenttype = "application/x-www-form-...

search - Can Sphinx be configured to give more weight to certain fields? -

hey, i'm wondering if it's possible sphinx weight fields of document on others in results. example, if did search the rock show , possible configure sphinx give higher precedence song named the rock show on song has the rock show in lyrics? see setfieldweights http://sphinxsearch.com/docs/current.html#api-func-setfieldweights

git - How do I programmatically determine if there are uncommited changes? -

in makefile, i'd perform actions if there uncommited changes (either in working tree or index). what's cleanest , efficient way that? command exits return value of 0 in 1 case , non-zero in other suit purposes. i can run git status , pipe output through grep , feel there must better way. update : op daniel stutzbach points out in comments simple command git diff-index worked him: git diff-index --quiet head -- you can see " how check if command succeeded? " if using in bash script: git diff-index --quiet head -- || echo "untracked"; // note: commented anthony sottile git diff-index head ... fail on branch has no commits (such newly initialized repository). 1 workaround i've found git diff-index $(git write-tree) ... "programmatically" means never ever rely on porcelain commands . always rely on plumbing commands . see " checking dirty index or untracked files git " alternatives (like git ...

svn - get subdirectory version given parent directory version -

for following directory structure, in specified revision(r1234, example) of a , how revision number of b check out correct revision of b . a - (r1234) |_ b - (this r1222) |_ c - (i don't need directory) |_ d - (i don't need directory) svn maintains file system rev number. every change part of file system new rev. in other words, each rev corresponds version of entire file system though part of file system wouldn't have changed. if check out, or update to, or export, rev, means "give me contents of svn file system in rev. when a->r1234 , b (subdirectory) -> r1222, means in revision 1234, b untouched not mean b @ rev r1222, @ r1234. so guess, looking : latest change touched subdirectory "b" this can done going subdirectory , issuing log command svn log --limit 1 -r ..

java - How to set collection items for in-clause in jpql? -

is there possiblity in jpa 2.0 set collection in-clause in jpql-query? (i'm using eclipselink) the next example fails: typedquery<person> q = em.createquery("select p person p p.name in (?1)", person.class); list<string> names = arrays.aslist(new string[] { "bill gates", "steve jobs" }); // fails q.setparameter(1, names); list<person> persons = q.getresultlist(); (person p: persons) { system.out.println(p.getname()); } is there way it? here jpa 2.0 specification says in expressions: 4.6.9 in expressions the syntax use of comparison operator [not] in in conditional expression follows: in_expression ::= {state_field_path_expression | type_discriminator} [not] in { ( in_item {, in_item}* ) | (subquery) | collection_valued_input_parameter } in_item ::= literal | single_valued_input_parameter ... so according specification, correct syntax when passing collection_valued_input_pa...

Kernel mode code signing -

i made driver, , need sign it. runs in kernel mode. from i've read in microsoft's kernel mode code signing walkthrough , have buy software publisher certificate commercial ca . in document, @ end, , follow this link list of cas can buy certificate. find link confusing somehow because can't figure out what certificate need buy. need sign driver install on 64-bit windows systems. direct link welcome (i buy globalsign). is microsoft authenticode here ? i asked similar question in microsoft drivers developers forum time ago. answer: you need have company code signing certificate either globalsign or verisign (the others listed in link no longer offered). globalsign cheaper, verisign has advantage of providing access whql if of interest firm. these not cheap, verisign certificate costs $499 per year. once have cert can use instead of test cert sign driver. your link contains information in supported platforms: digitally sign windows activex control...

clojure - Importing final classes -

i'm failing import final classes java package. importing normal classes works fine. example: gtk-examples.snooping> (import 'org.gnome.gdk.mousebutton) org.gnome.gdk.mousebutton gtk-examples.snooping> (import 'org.gnome.gdk.modifiertype) ; evaluation aborted. gtk-examples.snooping> the last import yields noclassdeffounderror. here more complete output: not initialize class org.gnome.gdk.modifiertype [thrown class java.lang.noclassdeffounderror] restarts: 0: [quit] quit slime top level backtrace: 0: java.lang.class.forname0(native method) 1: java.lang.class.forname(class.java:186) 2: gtk_examples.snooping$eval2063.invoke(no_source_file:1) 3: clojure.lang.compiler.eval(compiler.java:5424) 4: clojure.lang.compiler.eval(compiler.java:5415) 5: clojure.lang.compiler.eval(compiler.java:5391) 6: clojure.core$eval.invoke(core.clj:2382) --more-- any idea of going on? thanks! trying import org.gnome.gdk.modifiertype gives differe...

java - JPA/Metamodel: Strange (inconsistent ?) example in Sun Docs -

in sun online resources , provide son example usage of criteria/metamodel api, far understand java, seems impossible work: criteriaquery<pet> cq = cb.createquery(pet.class); metamodel m = em.getmetamodel(); entitytype<pet> pet_ = m.entity(pet.class); entitytype<owner> owner_ = m.entity(owner.class); root<pet> pet = cq.from(pet.class); join<owner, address> address = cq.join(**pet_.owners**).join(**owner_.addresses**); pet_ instance of class entitytype doesn't define attribute named owners or addresses . they define classes named pet_ , owner_ metamodel, importation here create conflict variable names ... right? __ (the question related one ) this example incorrect , authors mixing canonical static metamodel classes (generated) classes obtained via metamodel api. supposed use either weakly typed api or stronlgy typed generated classes, not both together. in case, pet_ (which incredible bad naming choice , misleading) ind...

eclipse - How many code lines do my project have -

possible duplicate: counting line numbers in eclipse how can count number of lines in project including packages , projects in eclipse editor? you use former instantiations product codepro analytix . eclipse plugin provides suchlike statistics in code metrics view. provided google free of charge.

gmail - How to send files using Smack? -

i struggling code: filetransfermanager manager = new filetransfermanager(connection) outgoingfiletransfer transfer = manager.createoutgoingfiletransfer("gmailusername@gmail/smack"); try { system.out.println("000"); transfer.sendfile(new file("d:/cow.wav"), "moo !"); system.out.println("111"); while(!transfer.isdone()) { system.out.println(transfer.getprogress() + " done!"); //system.out.println(transfer.getstreamid() + " done!"); try { thread.sleep(1000); } catch (interruptedexception e) { // todo auto-generated catch block e.printstacktrace(); } } } catch (xmppexception e) { // todo auto-generated catch block e.printstacktrace(); } it seams can't send file. can me solve problem ? i believe gmail (judging code above) not support file transfer. see this . can send disco#item , disco#info see if supports kind of byte stream...

smack - how to add new buddy in roster in xmpp -

hi using smack.jar.i able connect gtalk using it.using roster.getentries() i can buddy list.but how can add new friends buddylist.is there api smack exposes add new users?? thanks i've been using create new contacts in standard xmpp server (can't tell gtalk): roster roster = xmppconnection.getroster(); // jid: string, user: string, groups: string[] roster.createentry(jid, user, groups);

visual c++ - How to: Threading on windows platform (C++) -

i shall know how use threading on windows platform. need include lib or dll file? there command? i'd use boost.thread , gain portability ease of use.

how to retrieve distinct root entity row count in hibernate? -

i have show employee , project in dropdown employee in right ride of tabular format. in top need show number of records. so, doing 2 queries, 1 retrieving count , retrieving employee , project.finally, total count comes employee*project count. if employee has 3 projects counts 3. need employee count. , retriving distinct employee object, employee object has list of project . i used .setresulttransformer(criteriaspecification.distinct_root_entity) this. please me employee count instead of employee*project , struggling this. my code is, public collection fetchemployeewithproject(final list condition, final paginationcriteria pagecriteria) throws dataaccesslayerexception { session session = this.getpersmanager().getcurrentsession(); criteria criteria = session.createcriteria(employee.class, "employee") .createalias( "employee.empproject", "empproject"...

How do I escape this \ character in jQuery? -

i want use following in jquery :contains("c:\ name") how escape escape character? use double \\ single, this: :contains("c:\\ name") you can test here . can find other tips @ top of selectors portion of api .

javascript - Google Chrome touch events not firing -

i'm building touchscreen kiosk using chrome (7.0.536.2 dev) in kiosk mode on windows 7 pc multi-touch display. i can see ontouchstart event available (by inspecting window object in webkit web inspector) never fires. if write following code, onclick event fires when touch screen ontouchstart event doesn't. window.onclick = function() { alert("click"); } window.ontouchstart = function() { alert("touchstart"); } in firefox 4 moztouchdown event fires without problems. are these events not yet available javascript? thanks, nick i experienced when developing ipad webapp , tried test in chrome. turned out, chrome recognizes events, not fire them @ moment. bit frustrating, since breaks support detection in javascript.

Delphi - form maximized event -

i want call function after form has been maxmized or restored. know can this: procedure tfrmmain.wmsyscommand; begin if (msg.cmdtype = sc_maximize) or (msg.cmdtype = sc_restore) begin showmessage(inttostr(frmmain.height)); end; defaulthandler(msg) ; end; but problem is: event fired before form resized - when form maximized, height of form before maxmized (but want width of form after has been maximized). how this? thanks! the following link maybe you: http://www.tek-tips.com/viewthread.cfm?qid=809465&page=176 declare interface section of unit procedure sizemove (var msg: twmsize); message wm_size; and implementation of procedure: procedure tfrmmain.sizemove (var msg: twmsize); begin inherited; if (msg.sizetype = size_maximized) or (msg.sizetype = size_restored)then resizeqlikviewreports(); end;

iPhone Tapku Graph, how can I use dates instead on numbers? -

Image
i've found tapku graph http://duivesteyn.net/2010/03/07/iphone-sdk-implementing-the-tapku-graph-in-your-application/?utm_source=twitterfeed&utm_medium=twitter ... looks cool , simple implement - (void) thread{ nsautoreleasepool *pool = [[nsautoreleasepool alloc] init]; srand([[nsdate date] timeintervalsince1970]); for(int i=0;i<100;i++){ //int no = rand() % 100 + i; int no = 10 + i; //i've changed above value prove heres //where supply data graphpoint *gp = [[graphpoint alloc] initwithid:i value:[nsnumber numberwithfloat:no]]; [data addobject:gp]; [gp release]; } //heres data drawn - (void) drawxaxislabelswithcontext:(cgcontextref) context{ however i'd have dates on horizontal axis instead of numbers... any ideas? looking @ source no github, line 293 of graphview.m sets x axis labels string specified each point on graph : lab.text = [d xlabel]; so display dates, i'd implement tkgraphviewpoint protoc...

regex - regular validation expression in asp.net -

i have got code edit function. there text box in web application. using regular expression validator control validate text box. validation expression is validationexpression="[\w]{3,15}" it accept letters,numbers , underscores. not accept special characters \,/ * . want change above regular expression accept / . i hope can explain above regular expression means , how change expression accept / without affecting current regular expression using asp.net , c# you current regular expression can deconstructed follows : [] brackets represents regular expression group. regex engine try match characters or group of characters given inside [] input string. \w - allow alpha numberic characters includes upper case , lower case alphabets , 0 9 numbers , and underscore (this not include other special characters / or # ,etc ). {3,15} means minimum 3 , maximum 15 alphanumeric characters must provided in order match string. to add other charters, need add them expl...

jquery - select box behaviour in IE -

<title>sample</title> <meta http-equiv="content-type" content="text/html; charset=utf-8"> <script type="text/javascript" src="jquery-1.4.2.min.js"> </script> </head> <body> <select onchange="alert('hi')"> <option value="0" selected="selected">option1</option> <option value="1">option1</option> <option value="2">option1</option> </select> <script> $('select').bind('change',function(){ var ="true"; }) </script> in firefox alert getting called once in ie7/8 alert coming twice. wondering why in ie alert coming twice thanks, amit it's not you, it's jquery bug ie, filed in bug tracker here , here , here ....unfortunately looks it'll jquery 1.5 before make change fixing this. currently (only in...

cherry pick - Git: move changes between branches without working directory change -

use-case: every time want move commit 1 git branch perform following sequence of actions: [commit working branch] git checkout branch-to-merge-into git cherry-pick target-commit git push git checkout working-branch that works fine exception - every time perform 'git checkout' git working directory content changed (expected) , causes ide (intellij idea) perform inner state update (because monitored file system sub-tree modified externally). annoys in case of big number of small commits. i see 2 ways go: perform 'mass cherry picks', i.e. perform big number of commits; move them branch, say, @ working day end; have second local git repository , perform cherry picks on it, i.e. every time actual commit , push performed working branch, go second repository, pull changes , perform cherry pick there; i don't first approach because possible forget move particular commit. second 1 looks bit... unnatural. basically, perfect if git 'move commit ...

parsing - reading two integers in one line using C# -

i know how make console read 2 integers each integer self this int = int.parse(console.readline()); int b = int.parse(console.readline()); if entered 2 numbers, i.e (1 2), value (1 2), cant parse integers want if entered 1 2 take 2 integers one option accept single line of input string , process it. example: //read line, , split whitespace array of strings string[] tokens = console.readline().split(); //parse element 0 int = int.parse(tokens[0]); //parse element 1 int b = int.parse(tokens[1]); one issue approach fail (by throwing indexoutofrangeexception / formatexception ) if user not enter text in expected format. if possible, have validate input. for example, regular expressions: string line = console.readline(); // if line consists of sequence of digits, followed whitespaces, // followed sequence of digits (doesn't handle overflows) if(new regex(@"^\d+\s+\d+$").ismatch(line)) { ... // valid: process input } else { ... // invalid i...

jquery - POST request reaches server but empty -

i'm setting api simple webservice , stumbled upon problem. use ruby on rails end , jquery ajax call send post create instance of model. javascript code is: $.ajax({ type: "post", url: "http://localhost:3000/api/v1/person/add", data: "name=john&location=boston", success: function(msg){ alert( "data saved: " + msg ); } }); when execute server request type of option, think first call of 2 needed complete post request(?) because these sites not on same domain (since calls gonna made remotely) fails. main problem request not contain data @ in body. guess first call not sending data waits sort of 'ok' able send data?? if not, why empty? don't want use request since says in guidelines of restful api should use post purpose, plus might want send more data can handle. in case assumptions correct , post request fails because of cross-domain calls, options? edit: see you're trying cross-domain ajax quer...

asp.net - MVC 2 date validation only required if checkbox is checked -

i using ef4 , asp.net mvc 2 web application. using data annotations validation. is following possible? if so, how implement it? have checkbox, , , date. , date not required fields, when checkbox ticked , dates required fields. required error must display. how possible? thanks. you need create validation attribute model class validates 3 fields. for example, @ [fieldsmustmatch] attribute in default mvc project template.

3d - Concave Polygon Line Clipping without Degenerate Edges -

i have search , researched internet last days find suitable method problem. problem: clip concave polygon against infinite line without direction (actually polygon against plane in 3d problem similar think). use sutherland-hodgman resulting polygons contains zero-area parts created degenerate edges , not support polygons containing holes. the best algorithm have found solve problem weiler-atherton algorithm clipping against polygon clockwise edges , have infinite line (in 3d plane) missing direction info. question: is there algorithm clip concave polygon suits needs or have suggestion on how modify weiler-atherton algorithm work case? there webpages suggests can generalized support more cases can not figure out. //regards eiken found suitable algorithm in graphic gems v solves problem. if have same problem reference: glassner, a., ''clipping concave polygon'' , in graphics gems v, a. paeth, ed., academic press, cambridge, 1995

c - How to access outer block variable in inner block when inner block have same variable declaration? -

int main(int argc, char** argv) { int i=5; { int i=7; printf("%d\n", i); } return 0; } if want access outer i ( int i=5 ) value in printf how can done? the relevant part of c99 standard, section 6.2.1 (scopes of identifiers): 4 [...] if identifier designates 2 different entities in same name space, scopes might overlap. if so, scope of 1 entity (the inner scope) strict subset of scope of other entity (the outer scope). within inner scope, identifier designates entity declared in inner scope; entity declared in outer scope hidden (and not visible) within inner scope. update to prevent pmg's answer disappearing: can access outer block variable declaring pointer before hiding occurs: int = 5; { int *p = &i; int = 7; printf("%d\n", *p); /* prints "5" */ } of course giving hiding variables never needed , bad style.

sql - How to set Database Audit Specification for all the tables in db -

i need create audit track crud events tables in database , have more 100 tables in db , there way create specification include tables in db ? p.s : using sql server 2008 change data capture you can use change data capture functionality mechanism provided sql server 2008. http://msdn.microsoft.com/en-us/library/bb522489.aspx note create, update , delete. triggers , audit tables even 100 tables, can use single script generate audit tables , necessary triggers. note, not mechanism - slow down control not returned unless trigger execution complete.

scroll - CSS Semi-fixed Element - follow-up question -

this follow-on question thread: css semi-fixed element? i implemented kelso's solution , works on firefox , chrome. however, ie 8 not playing ball. i have rolled code out can see problem having on live website: gran via hotels ie listening scroll events not moving div user scrolls down page. seems though following line not doing in ie: d.css({ position: "fixed", top: "0px" }); the first line evaluating -2 in ie whereas in firefox it's 377. var scrollertopmargin = $("#scroll-container").offset().top; i no css expert , have been pulling hair out on this. there must simple solution! please help! thanks ben ie not doctype , running quirks mode activated. why not work. try 1 , see if works: <!doctype html public "-//w3c//dtd xhtml 1.0 transitional//en" "http://www.w3.org/tr/xhtml1/dtd/xhtml1-transitional.dtd">

java - Send an android Intent with an POJO as an Intent extra? -

is way put pojo inside intent.putextra? i have looked api's , seems support of type string, int, double, boolean etc not actual pojo/regular java object. you can use pojo long implements serializable or parcelable . take @ intent.putextra(string, serializable) or intent.putextra(string, parcelable) .

Creating a macro to delete rows in Excel using VB -

i need code delete enitre row when specific name typed column a. so, each row has "surgery" in column a, needs deleted. thanks. this should work. need change value of areatosearch fit workbook. watch case on keyword, "surgery" , "surgery" not same! tested , worked on sheet made up. option explicit sub deletesurgery() dim keyword string dim cell range, areatosearch range keyword = "surgery" set areatosearch = sheet1.range("a1:a10") each cell in areatosearch if cell.value = keyword cell.entirerow.delete end if next cell end sub

jquery - Disabling submit button stops form from being submitted PHP / Javascript -

i think got classic problem not able find working solution far. i have got form , user clicks "send" , works fine using prg pattern , doing both client-side , server-side validation. the problem arises when user (let's assume entered valid inputs) clicks more once before server script ends execution... i not duplicated entry because took care of browser not go "thanks submitting page". instead re-submits same page same values , custom errors set warn user trying enter details stored in database. details sent in first place in database user has no chance know that. i tried disable submit button on submit event using jquery in case data not submitted. html <div id="send-button-container"> <input id="send-emails" type="submit" name="send_emails" value="send"/> </div> jquery $(document).ready(function(){ $('#mail-form').submit(function(){ $(...

Resources for writing good PHP documentation -

i getting tool ready make source public. have documented people use potential contributors. using rudimentary docblocks , line comments class variables. using doxygen because integrates eclipse, not wedded it. what create documentation along lines of php's pdo classes class functions documented , examples of use given. prefer documentation in code. what books, tutorials, or code examples suggest @ give me insight on how craft great documentation. phpdocumentor

Why doesn't my image color match background color in FireFox? -

Image
i think doing wrong in photoshop. i'm trying create banner website. i created new image in photoshop, filled background color picked #e06205 i saved image jpeg. on webpage, created div , gave background color background-color:#e05206; when open page in safari , chrome it's beautiful. matches perfectly. however, when open page in firefox, colors don't match. can't figure out why is. by way, problem image created. when compare same image side side, firefox gives me 'wrong' color your issue in color profile using image. make sure when save image use save web & devices… to read more if want travel website: http://css-tricks.com/color-rendering-difference-firefox-vs-safari/

linux - How to know system is currently installing ISO -

i creating rpm. rpm packed centos iso , install when centos installed. can installed using normal rpm installation method. rpm installation need behave differently if installed iso , installed rpm normal installation method. so, question how know whether system installing iso. thanks in advance. you check if /dev/cdrom mounted , if /mnt/cdrom contains installation disc in %pre /%post scripts. strictly speaking, rpms should agnostic how installed, chances if need in rpm it's flawed design , trying can done in other way. i suggest looking @ anaconda / kickstart scripts.

Django: "reverse" many-to-many relationships on forms -

the easiest example of sort of relationship i'm talking between django's users , groups. user table has manytomany field part of definition , group table "reverse" side. a note constraints: not working admin interface @ nor option. now, onto programming problem. need write form used edit mygroup instances, defined following: class mygroup( group ): some_field = models.charfield( max_length=50 ) i want able have form page can edit both some_field , users members of group. because i'm working model, modelform seems obvious. cannot figure out how django include users because on reverse side of user-group relationship. ideally, i'd display widget specifying users 1 specifying permissions found on user , group pages within admin. inline-formsets do trick foreign key relationship. groupuserinlineformset = inlineformset_factory(mygroup, user, form=purchaseordereditform, max_num=100, extra=2, can_delete=false) guformset = groupuseri...

assemblies - Confusion about GAC -

while interview , confused after interviewer asked question global assembly cache (gac). should answer? question 1: instead of keeping assembly in gac, if create directory , keep our assemblies there , if make directory shared can connected computers can use assemblies? difference if kept assembly in gac , in shared folder ? edited: question 2: consider there 4 visual studio enabled development machines. out of , one serve server . can other machines (other server machines) use assemblies in gac of server machine ? the assemblies hosted in gac, formally called shared assemblies or global assemblies (please don't confuse shared assemblies). 1 advantage of placing assembly in gac version control, while assembly in gac, can co-exist version of same assembly, although have same file name, distinguished internal signature, contains strong name. please see link

c++ - How to modify key values in std::map container -

given std::map<int,std::string> mymap; fillmymapwithstuff(mymap); // modify key values - need add constant value each key (std::map<int,std::string>::iterator mi=mymap.begin(); mi != mymap.end(); ++mi) { // ... } whats way apply re-indexing? must remove old entry , add new 1 new key , old value? looks better off building new map , swapping afterward. you'll have n insert operations instead of n deletions , n insertions.

count - using jQuery to add and remove textbox with unique IDs -

i wrote function add listitem text box , remove button, everytime add button clicked. i'm adding unique id each new element adding number. problem happens when try remove element, add one, number being duplicated. ex: add 4 li's , decide remove #3. click add new again new sequence 1,2,4,3,4 instead of 1,2,4,5,6. hope made sense. here javascript var count = 2; $('#add').click(function() { var newtxtbxli = $('<li></li>').attr('id', 'newli' + count).appendto('ul'); var input = $('<input type="text" id="newinput' + count + '" name="newinput' + count + '" /><input type="button" id="remove' + count + '" class="remove" value="">'); $(input).appendto(newtxtbxli); count++; $('.remove').each(function() { $(this).click(function() { //count--; $(this)....

How do I concatenate arrays of aliases in Perl? -

how concatenate arrays of aliases in perl such resulting array contains aliases? the solution came is: my ($x, $y, $z) = 1 .. 3; $a1 = sub {\@_}->($x); $a2 = sub {\@_}->($y, $z); $a3 = sub {\@_}->(@$a1, @$a2); "@$a3"; # 1 2 3 $_++ $x, $y, $z; "@$a3"; # 2 3 4 what not crazy create $a3 have unpack $a1 , $a2 . short arrays isn't problem, data grows larger, means array operations on aliased arrays o(n) , including traditionally o(1) operations push or unshift . data::alias help, doesn't work latest versions of perl. array::refelem contains wrappers around api primitives av_store , av_push can used implement functionality. work: sub alias_push (\@@) { if (eval {require array::refelem}) { &array::refelem::av_push($_[0], $_) @_[1 .. $#_] } else { $_[0] = sub {\@_}->(@{$_[0]}, @_[1 .. $#_]) } } i interested know if there other ways. particularly if there other ways using core modules. ...

iphone - When are iOS keychain items removed? -

i have sworn worked differently in previous versions of ios, of ios 4.0 looks app's keychain items not removed when app removed. however, looks cleared when app upgraded without first removing? can provide clear explanation of when ios keychain items removed? as answered here , , somewhere else (i can't remember read it), keychain persist after app removed. positive keychain isn't cleared unless explicitly delete item in it.

groovy or java: how to retrieve a block of comments using regex from /** ***/? -

this might piece of cake java experts. please me out: i have block of comments in program this: /********* block of comments - line 1 line 2 ..... ***/ how retrieve "block of comments" using regex? thanks. something should do: string str = "some text\n"+ "/*********\n" + "block of comments - line 1\n" + "line 2\n"+ "....\n" + "***/\n" + "some more text"; pattern p = pattern.compile("/\\*+(.*?)\\*+/", pattern.dotall); matcher m = p.matcher(str); if (m.find()) system.out.println(m.group(1)); ( dotall says . in pattern should match new-line characters) prints: block of comments - line 1 line 2 ....

php - How do you split a string into word pairs? -

i trying split string array of word pairs in php. example if have input string: "split string word pairs please" the output array should like array ( [0] => split [1] => string [2] => string [3] => word [4] => word pairs [5] => pairs please [6] => please ) some failed attempts include: $array = preg_split('/\w+\s+\w+/', $string); which gives me empty array, and preg_match('/\w+\s+\w+/', $string, $array); which splits string word pairs doesn't repeat word. there easy way this? thanks. why not use explode ? $str = "split string word pairs please"; $arr = explode(' ',$str); $result = array(); for($i=0;$i<count($arr)-1;$i++) { $result[] = $arr[$i].' '.$arr[$i+1]; } $result[] = $arr[$i]; working link

c# - Discrete Anonymous methods sharing a class? -

i playing bit eric lippert's ref<t> class here . noticed in il looked both anonymous methods using same generated class, though meant class had variable. while using 1 new class definition seems reasonable, strikes me odd 1 instance of <>c__displayclass2 created. seems imply both instances of ref<t> referencing same <>c__displayclass2 doesn't mean y cannot collected until vart1 collected, may happen later after joik returns? after all, there no guarantee idiot won't write function (directly in il) directly accesses y through vart1 aftrer joik returns. maybe done reflection instead of via crazy il. sealed class ref<t> { public delegate t func<t>(); private readonly func<t> getter; public ref(func<t> getter) { this.getter = getter; } public t value { { return getter(); } } } static ref<int> joik() { int[] y = new int[50000]; int x = 5; ref<int> vart1 ...

django - Is there an easier way to package with Python? -

i tried package django app today. it's big baby, , setup file, have manually write packages , sub packages in 'package' parameter. have find way copy fixtures, htmls / css / image files, documentations, etc. it's terrible way work. computer scientists, automatize, doing makes no sense. and when change app structure ? have rewrite setup.py. is there better way ? tool automate ? can't believe language value developer time python makes packaging such chore. i want able install app using simple pip install. know build out, it's not simpler, , not pip friendly. at least if use setuptools (an alternative stdlib's distutils ) awesome function called find_packages() when ran package root returns list of package names in dot-notation suitable packages parameter. here example: # setup.py setuptools import find_packages, setup setup( #... packages=find_packages(exclude='tests'), #... ) p.s. packaging sucks in every l...

javascript - Alternative to jQuery's slideDown() and slideUp() not affecting the display property -

i've been trying use slidedown() effect website i'm working on, i'm having difficulty getting effect want. here's sample showing want accomplish. <div> blahblahblahblah <span id="span_more" style="display:none"> blahblahblah </span> <a class="link_more" id="more">more&hellip;</a></div> </div> basically, when "more..." clicked, want text that's hidden appear using sliding effect while staying inline end of visible text. doesn't seem possible slidedown() because changing display block. thank much. unfortunately, impossible. jquery's animation relies upon element having height , width. inline elements not have these dimensions set or settable, animations (whether using animate or slideup ) must make them block-level elements. fadein work, , may useful alternative.

Why is GRANT not working in MySQL? -

i'm scratching head on 1 see ton of helper websites showing how create mysql users , grant privileges reason not work me. tried on both winxp , macbook pro laptop latest mysql version installed. the following example when worked wordpress. actual database different same issues. here steps: mysql> mysql -uroot -p<password> mysql> create database wwordpress; mysql> create user 'www'@'localhost' identified 'basic'; query ok, 0 rows affected (0.14 sec) mysql> grant insert on wordpress.* 'www'@'localhost' identified 'basic'; query ok, 0 rows affected (0.00 sec) mysql> flush privileges; query ok, 0 rows affected (0.03 sec) mysql> select * mysql.user user='www' \g *************************** 1. row *************************** host: localhost user: www password: *e85c94af0f09c892339d31cf7570a970bcdc5805 select_priv: n ...

security - Where can Null Byte Injection affect my PHP web app in a realistic setting? -

i've read php section on http://projects.webappsec.org/null-byte-injection . the example provides pretty dumb - mean, why ever want include file based on outside param without checking first (for directory traversal attacks, one)? so, if following standard php security practices, such as encoding user entered data on display validating user entered stuff works files preventing crsf not running uploads via executes php etc can provide real life example or common mistake of php developers problem can occur? thanks upate i'm trying make break, , have tried . // $filename public $filename = "some_file\0_that_is_bad.jpg"; $ext = pathinfo($filename, pathinfo_extension); var_dump($filename, $ext); which outputs string(26) "some_file�_that_is_bad.jpg" string(3) "jpg" i believe part of fun null byte injection simple validation may not enough catch them e.g. string "password.txt\0blah.jpg" ends ".jpg...

asp.net - Why is it possible to set the properties of server controls as early as in the Page_PreInit handler? -

an aspx page's page_preinit event happens before component server control's (e.g. textbox) init event. possible set textbox's text property in page_preinit. suppose means textbox's text set before textbox initiated. how possible? i suppose need tell why want it, scenerio in wish use since @ least never used textbox's text property in preinit. may put text box page , in codebehind may write: protected sub page_preinit(byval sender object, byval e system.eventargs) handles me.preinit textbox1.text = "test" end sub

How can I extract the words from this string " !!one!! **two** @@three@@" using Regex in Ruby -

in irb, can this: c = /(\b\w+\b)\w*(\b\w+\b)\w*(\b\w+\b)\w*/.match(" !!one** * two * @@three@@ ") and this: => matchdata "one** * two * @@three@@ " 1:"one" 2:"two" 3:"three" but assuming don't know number of words in advance, how can still extract words out of string". example, might " !!one** * two * @@three@@ " in 1 instance, might " !!five** * six * " in instance. thanks. > " !!one** *two* @@three@@ ".scan(/\w+/) => ["one", "two", "three"] also, scan can return array of arrays in case of using () . > "our fifty users left 500 posts month.".scan(/([a-z]+|\d+)\s+(posts|users)/i) => [["fifty", "users"], ["500", "posts"]] http://ruby-doc.org/core/classes/string.html#m000812

Clojure functions for Emacs? -

i wondering if there set of emacs lisp code implements of clojure's functions. example, -> , ->> , comp , partial, , others? thank you. i've ported -> , ->> macros emacs lisp while ago. use them in configuration code , seem work fine. (defmacro -> (e &rest es) (if (and (consp es) (not (consp (cdr es)))) (if (consp (car es)) `(,(caar es) ,e ,@(cdar es)) `(,(car es) ,e)) (if (consp es) `(-> (-> ,e ,(car es)) ,@(cdr es)) e))) (defmacro ->> (e &rest es) (if (and (consp es) (not (consp (cdr es)))) (if (consp (car es)) `(,@(car es) ,e) `(,(car es) ,e)) (if (consp es) `(->> (->> ,e ,(car es)) ,@(cdr es)) e)))

linux - bash script writing shell commands -

why commands require echo statement others can written without: #!/bin/bash aptitude upgrade echo "mysql-server-5.1 mysql-server/root_password password $db_password" | debconf-set-selections the commands feed on stdin input process, fed echo command. echo dumps string provided on stdout, in turn duplicated on stdin using pipe "|". commands not require input stdin or uses other method of input process can written without echo command.

How to conver JSON collection into Hash using Rails 3 -

i having json collection fetched mongodb & want convert hash. how can so..? thanks in advance.. how did fetch mongo? ruby mongo driver automatically gives ruby hashes. edit: take second question account in mongo, queries don't execute until call requires them execute. before call to_json, still playing query object. instead of to_json, try using to_a array of hashes back.

python vlc.py or vlcwidget.py unable to open the MRL -

i encountering following error. mpg file in same directory vlcwidget.py located. 1 point out issue or share thier experience? c:\workspace\python-head\python>vlcwidget.py trn_anaglyph_adj.mpg libdvdnav: using dvdnav version 4.1.4 libdvdread: using libdvdcss version 1.2.10 dvd access libdvdread: can't stat trn_anaglyph_adj.mpg no such file or directory libdvdread: not open trn_anaglyph_adj.mpg libdvdnav: vm: failed open/read dvd [01bbd45c] filesystem access error: cannot open file trn_anaglyph_adj.mpg (no su ch file or directory) [01bbd45c] main access error: file reading failed [01bbd45c] main access error: vlc not open file "trn_anaglyph_adj.mpg" . [0095fd8c] main input error: open of `trn_anaglyph_adj.mpg' failed: (null) [0095fd8c] main input error: input can't opened [0095fd8c] main input error: vlc unable open mrl 'trn_anaglyph_adj.mpg '. check log details. c:\workspace\python-head\python>vlcwidget.py trn_anaglyph_adj.mpg use ful...

javascript - URL Hash oddities -

i've noticed strange behaviour in js window.location.hash = ''; var hash = window.location.hash; alert(hash + ' = ' + hash.length); //outputs: ' = 0' window.location.hash = '#'; hash = window.location.hash; alert(hash + ' = ' + hash.length); //outputs: ' = 0' window.location.hash = '_'; hash = window.location.hash; alert(hash + ' = ' + hash.length); //outputs: '_ = 2' basically want trigger 3 conditions no hash just hash hash text however seems js doesn't see difference between example.com/ , example.com/# can't figure out how remove hash completely. any help? once hash set, cannot remove altogether (eg, remove # sign) without causing page reload; normal behavior. setting empty/null hash , setting hash default hash ( # ) treated same; internal behavior. not sure if browsers handle consistently, iirc case. ultimately if want remove hash completely, have document.location...

c++ - Implicit conversion not happening -

the last question asked stumbled upon when trying understanding thing... can't understand (not day). this quite long question statement, @ least hope question might prove useful many people , not me. the code have following: template <typename t> class v; template <typename t> class s; template <typename t> class v { public: t x; explicit v(const t & _x) :x(_x){} v(const s<t> & s) :x(s.x){} }; template <typename t> class s { public: t &x; explicit s(v<t> & v) :x(v.x) {} }; template <typename t> v<t> operator+(const v<t> & a, const v<t> & b) { return v<t>(a.x + b.x); } int main() { v<float> a(1); v<float> b(2); s<float> c( b ); b = + v<float>(c); // 1 -- compiles b = + c; // 2 -- fails b = c; // 3 -- compiles return 0; } expressions 1 , 3 work perfectly, while expression 2 not compile. if have understood pro...

solr - Index time boosting is not working with boosting value in document level -

we having 10 documents (all 10 documents name_s="john" or name_s="john abraham") boosting value 10.0 in doc level out of 100 documents. dataimporthandler used index documents in xml. gave omitnorms="false" in field called "text" , having schema.xml configured below. default query field "text", when use q=john, 10 documents having boosting not coming in first 10 results. could on issue? the issue has been resolved. importing xml using dih , in data-config.xml did not mention <field column="$docboost" xpath="/doc/@boost"/> root cause of problem.

How can I replace just the last occurrence in a string with a Perl regex? -

ok, here test (this not production code, test illustrate problem) my $string = <<eos; # auto generated query select users.* , roles.label role_label , hr_orders.position_label , deps.label dep_label , top_deps.label top_dep_label users left join $conf->{systables}->{roles} roles on users.id_role = roles.id left join ( select id_user , max(dt) max_dt hr_orders fake = 0 , ifnull(position_label, ' ') <> ' ' ...

iphone - Improve on this pattern for handling how a mobile app knows how to find it's server -

i'm considering how identify server(s) app on mobile device utilises wcf/web service. (1) anticipate going need migrate server between hosts time time handle load. i'd able without service disruption. (2) anticipate going want improve scalability seperating website hosting , wcf/web service hosting requiring addressing change on client. until app proves traction server deployment shared on same domain. rereleasing client purpose @ glance seems complicated can't force updates on consumers , it's non trivial distinguish between no data connection/server down , server that's moved. i thinking solved problem, thought bounce off community better ideas. what i've come far follows. client needs primary , secondary url reference wcf/web service. caters host provider changes. old host can continue run service during handover period. when succesfully deployed new host, secondary/old host can disabled. wcf/web service stateless, simplifies matters somewhat...