Id
int64 1.68k
75.6M
| PostTypeId
int64 1
2
| AcceptedAnswerId
int64 1.7k
75.6M
⌀ | ParentId
int64 1.68k
75.6M
⌀ | Score
int64 -60
3.16k
| ViewCount
int64 8
2.68M
⌀ | Body
stringlengths 1
41.1k
| Title
stringlengths 14
150
⌀ | ContentLicense
stringclasses 3
values | FavoriteCount
int64 0
1
⌀ | CreationDate
stringlengths 23
23
| LastActivityDate
stringlengths 23
23
| LastEditDate
stringlengths 23
23
⌀ | LastEditorUserId
int64 -1
21.3M
⌀ | OwnerUserId
int64 1
21.3M
⌀ | Tags
sequence |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
1,668,033 | 1 | null | null | 10 | 3,598 | I have a scenario where I need to localized values of objects in my database.
Let's say you have an application that can create animals, if the user is english the value of the "Name" property of an animal would be entered as "Cat" in the UI whereas it would be entered as "Chat" in french.
The animal culture table would contain 2 records pointing to the same animal in the parent table.
When reading values back, if the value of "Name" does not exist in the user culture the default value (value the object was originally created with) would be used.
The following diagrams demonstrate how the data is stored in SQL:

I'm trying to map this schema to an object model using the Entity Framework, I'm a bit confused as to what the best way to approach the problem.
Is EF appropriate for this? Should I used EF4?
This EF model will be used by .NET RIA Services.
Thanks,
Pierre-Yves Troel
| Localized tables and Entity Framework | CC BY-SA 3.0 | 0 | 2009-11-03T15:27:48.350 | 2014-06-07T13:41:36.907 | 2017-02-08T14:16:54.150 | -1 | 88,118 | [
"c#",
"entity-framework",
"entity",
"culture"
] |
1,670,970 | 1 | 3,933,416 | null | 1,391 | 894,445 | I have two branches. Commit `a` is the head of one, while the other has `b`, `c`, `d`, `e` and `f` on top of `a`. I want to move `c`, `d`, `e` and `f` to first branch without commit `b`. Using cherry pick it is easy: checkout first branch cherry-pick one by one `c` to `f` and rebase second branch onto first. But is there any way to cherry-pick all `c`-`f` in one command?
Here is a visual description of the scenario (thanks [JJD](/users/356895/JJD)):

| How to cherry-pick multiple commits | CC BY-SA 3.0 | 0 | 2009-11-04T00:07:03.587 | 2023-01-30T16:34:30.130 | 2012-09-28T19:02:45.270 | 356,895 | 96,823 | [
"git",
"git-rebase",
"cherry-pick"
] |
1,671,210 | 1 | 1,703,359 | null | 1 | 10,178 | I am working on an ongoing project where I want to align the links of a chain so that it follows the contours of a Bezier curve. I am currently following the steps below.
1. Drawing the curve.
2. Use a display list to create one link of the chain.
3. Use a FOR loop to repeatedly call a function that calculates the angle between two points on the curve, returns the angle and the axis around which the link should be rotated.
4. Rotate by the angle "a" and translate to new position, place the link at the new position.
Edit: I should also say that the centres of the two half torus must lie on the Bezier curve.
Also I am aware that the method I use to draw the torus I tedious, I will use TRIANGLE_FAN or QUAD_STRIP later on to draw the torus in a more efficient way.
While at first glance this logic looks like it would render the chain properly, the end result is not what I had imagined it to be. Here is a picture of what the chain looks like.

I read that you have to translate the object to the origin before rotation? Would I just call glTranslate(0,0,0) and then follow step 4 from above?
I have included the relevant code from what I have done so far, I would appreciate any suggestions to get me code work properly.
```
/* this function calculates the angle between two vectors oldPoint and new point contain the x,y,z coordinates of the two points,axisOfRot is used to return the x,y,z coordinates of the rotation axis*/
double getAxisAngle(pointType oldPoint[],
pointType newPoint[],pointType axisOfRot[]){
float tmpPoint[3];
float normA = 0.0,normB = 0.0,AB = 0.0,angle=0.0;
int i;
axisOfRot->x= oldPoint->y * newPoint->z - oldPoint->z * newPoint->y;
axisOfRot->y= oldPoint->z * newPoint->x - oldPoint->x * newPoint->z;
axisOfRot->z= oldPoint->x * newPoint->y - oldPoint->y * newPoint->x;
normA=sqrt(oldPoint->x * oldPoint->x + oldPoint->y * oldPoint->y + oldPoint->z *
oldPoint->z);
normB=sqrt(newPoint->x * newPoint->x + newPoint->y * newPoint->y + newPoint->z *
newPoint->z);
tmpPoint[0] = oldPoint->x * newPoint->x;
tmpPoint[1] = oldPoint->y * newPoint->y;
tmpPoint[2] = oldPoint->z * newPoint->z;
for(i=0;i<=2;i++)
AB+=tmpPoint[i];
AB /= (normA * normB);
return angle = (180/PI)*acos(AB);
}
/* this function calculates and returns the next point on the curve give the 4 initial points for the curve, t is the tension of the curve */
void bezierInterpolation(float t,pointType cPoints[],
pointType newPoint[]){
newPoint->x = pow(1 - t, 3) * cPoints[0].x +3 * pow(1 - t , 2) * t * cPoints[1].x + 3
* pow(1 - t, 1) * pow(t, 2) * cPoints[2].x + pow(t, 3) * cPoints[3].x;
newPoint->y = pow(1 - t, 3) * cPoints[0].y +3 * pow(1 - t , 2) * t * cPoints[1].y + 3
* pow(1 - t, 1) * pow(t, 2) * cPoints[2].y + pow(t, 3) * cPoints[3].y;
newPoint->z = pow(1 - t, 3) * cPoints[0].z +3 * pow(1 - t , 2) * t * cPoints[1].z + 3
* pow(1 - t, 1) * pow(t, 2) * cPoints[2].z + pow(t, 3) * cPoints[3].z;
}
/* the two lists below are used to create a single link in a chain, I realize that creating a half torus using cylinders is a bad idea, I will use GL_STRIP or TRIANGLE_FAN once I get the alignment right
*/
torusList=glGenLists(1);
glNewList(torusList,GL_COMPILE);
for (i=0; i<=180; i++)
{
degInRad = i*DEG2RAD;
glPushMatrix();
glTranslatef(cos(degInRad)*radius,sin(degInRad)*radius,0);
glRotated(90,1,0,0);
gluCylinder(quadric,Diameter/2,Diameter/2,Height/5,10,10);
glPopMatrix();
}
glEndList();
/*! create a list for the link , 2 half torus and 2 columns */
linkList = glGenLists(1);
glNewList(linkList, GL_COMPILE);
glPushMatrix();
glCallList(torusList);
glRotatef(90,1,0,0);
glTranslatef(radius,0,0);
gluCylinder(quadric, Diameter/2, Diameter/2, Height,10,10);
glTranslatef(-(radius*2),0,0);
gluCylinder(quadric, Diameter/2, Diameter/2, Height,10,10);
glTranslatef(radius,0, Height);
glRotatef(90,1,0,0);
glCallList(torusList);
glPopMatrix();
glEndList();
```
Finally here is the code for creating the three links in the chain
```
t=0.031;
bezierInterpolation(t,cPoints,newPoint);
a=getAxisAngle(oldPoint,newPoint,axisOfRot);
glTranslatef(newPoint->x,newPoint->y,newPoint->z);
glRotatef(a,axisOfRot->x,axisOfRot->y,axisOfRot->z);
glCallList(DLid);
glRotatef(-a,axisOfRot->x,axisOfRot->y,axisOfRot->z);
glTranslatef(-newPoint->x,-newPoint->y,-newPoint->z);
oldPoint[0]=newPoint[0];
bezierInterpolation(t+=GAP,cPoints,newPoint);
a=getAxisAngle(oldPoint,newPoint,axisOfRot);
glTranslatef(newPoint->x,newPoint->y,newPoint->z);
glRotatef(90,0,1,0);
glRotatef(a,axisOfRot->x,axisOfRot->y,axisOfRot->z);
glCallList(DLid);
glRotatef(-a,axisOfRot->x,axisOfRot->y,axisOfRot->z);
glRotatef(90,0,1,0);
glTranslatef(-newPoint->x,-newPoint->y,-newPoint->z);
oldPoint[0]=newPoint[0];
bezierInterpolation(t+=GAP,cPoints,newPoint);
a=getAxisAngle(oldPoint,newPoint,axisOfRot);
glTranslatef(newPoint->x,newPoint->y,newPoint->z);
glRotatef(-a,axisOfRot->x,axisOfRot->y,axisOfRot->z);
glCallList(DLid);
glRotatef(a,axisOfRot->x,axisOfRot->y,axisOfRot->z);
glTranslatef(-newPoint->x,-newPoint->y,newPoint->z);
```
| How to rotate object around local axis in OpenGL? | CC BY-SA 3.0 | null | 2009-11-04T01:27:45.803 | 2015-06-21T09:37:20.967 | 2015-06-21T09:36:03.957 | 815,724 | 129,917 | [
"opengl"
] |
1,675,502 | 1 | null | null | 0 | 1,150 | I've been looking into the Android SDK's example of the [SearchableDictionary](http://developer.android.com/guide/samples/SearchableDictionary/index.html) for a while now, but I'm still not sure if that is the right approach.
The problem is, that I want to fill my hint list (see picture below) with data, which I will receive via a HTTP/JSON query. So I'm not sure if using a [ContentProvider](http://developer.android.com/guide/topics/providers/content-providers.html) as used in the above example is the right thing to do. Can I access the hint list of the SearchBox in some way more direct?

| Android: SearchBox -> fill hint list dynamically with data received via HTTP/JSON | CC BY-SA 2.5 | 0 | 2009-11-04T17:46:03.620 | 2009-11-09T14:29:52.697 | 2017-02-08T14:16:56.010 | -1 | 184,367 | [
"java",
"android",
"json",
"http",
"android-contentprovider"
] |
1,676,924 | 1 | 1,676,974 | null | 12 | 96,044 | I would like to select an element inside the td of one of my tables but I don't really understand the syntax.
This is what I tried:
```
$("table > td:#box")
```
This is a sample of my table structure:
```
<div id="main">
<div id="today">
<table id="list" width="100%" cellpadding="4" cellspacing="0" border="0" style="font-size: 10px; border-collapse:collapse;">
<tr id="109008">
<td class="tdstd">
<a class="box" href="link"></a>
</td>
```
Or With Chrome's DOM inspector:

| JQuery select an element inside a td | CC BY-SA 3.0 | 0 | 2009-11-04T21:55:31.273 | 2016-11-15T22:37:40.880 | 2015-06-21T00:49:05.157 | 1,159,643 | 83,475 | [
"jquery",
"css-selectors"
] |
1,676,882 | 1 | 1,752,092 | null | 2 | 1,426 | I'm making a sample GUI for a new application we are developing at work. The language has already been decided for me, but I am allowed to use any 3rd party DLLs or add-ins or whatever I need in order to make the GUI work as seamlessly as possible.
They want it very mac/ubuntu/vista/Windows 7-like, so I've come up with some very interesting controls and pretty GUI features. One of which are some growing/shrinking buttons near the top of the screen that increase in size when you mouse over them (it uses the distance formula to calculate the size it needs to increase by). When you take your mouse off of the controls, they shrink back down. The effect looks very professional and flashy, except that there is a ghosting effect as the button shrinks back down (and the buttons to the right of it since they are fixed-at-the-hip).
Here is what the buttons look like in the designer:

Here are some code snippets that I am using to do this:
pops child buttons underneath when parent is hovered
```
Private Sub buttonPop(ByVal sender As Object, ByVal e As System.EventArgs)
For Each control As System.Windows.Forms.Control In Me.Controls
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.Y > sender.Location.Y AndAlso control.Location.X >= sender.Location.X AndAlso control.Width < sender.Width AndAlso control.Location.X + control.Width < sender.Location.X + sender.Width Then
control.Visible = True
End If
Next
End Sub
```
size large buttons back to normal after mouse leaves
```
Private Sub shrinkpop(ByVal sender As Object, ByVal e As System.EventArgs)
Dim oldSize As Size = sender.Size
sender.Size = New Size(60, 60)
For Each control As System.Windows.Forms.Control In Me.Controls
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.X > sender.Location.X AndAlso (Not control.Location.X = control.Location.X + (sender.size.width - oldSize.Width)) Then
control.Location = New Point(control.Location.X + (sender.size.width - oldSize.Width), control.Location.Y)
End If
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.Y > sender.Location.Y AndAlso control.Location.X = sender.Location.X AndAlso control.Width < sender.Width Then
control.Location = New Point(control.Location.X, control.Location.Y + (sender.size.height - oldSize.Height))
If Windows.Forms.Control.MousePosition.X < control.Location.X Or Windows.Forms.Control.MousePosition.X > control.Location.X + control.Width Then
control.Visible = False
End If
End If
Next
End Sub
```
increase size of large command buttons based on the mouse location in the button, happens on mouse move
```
Private Sub buttonMouseMovement(ByVal sender As Object, ByVal e As System.Windows.Forms.MouseEventArgs)
Dim oldSize As Size = sender.Size
Dim middle As Point = New Point(30, 30)
Dim adder As Double = Math.Pow(Math.Pow(middle.X - e.X, 2) + Math.Pow(middle.Y - e.Y, 2), 0.5)
Dim total As Double = Math.Pow(1800, 0.5)
adder = (1 - (adder / total)) * 20
If Not (sender.size.width = 60 + adder And sender.size.height = 60 + adder) Then
sender.Size = New Size(60 + adder, 60 + adder)
End If
For Each control As System.Windows.Forms.Control In Me.Controls
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.X > sender.Location.X AndAlso (Not control.Location.X = control.Location.X + (sender.size.width - oldSize.Width)) Then
control.Location = New Point(control.Location.X + (sender.size.width - oldSize.Width), control.Location.Y)
End If
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.Y > sender.Location.Y AndAlso control.Location.X >= sender.Location.X AndAlso control.Width < sender.Width AndAlso control.Location.X + control.Width < sender.Location.X + sender.Width AndAlso (Not control.Location.Y = control.Location.Y + (sender.size.height - oldSize.Height)) Then
control.Location = New Point(control.Location.X, control.Location.Y + (sender.size.height - oldSize.Height))
End If
Next
End Sub
```
increase size of smaller command buttons
```
Private Sub SmallButtonMouseMovement(ByVal sender As Object, ByVal e As System.Windows.Forms.MouseEventArgs)
Dim oldSize As Size = sender.Size
Dim middle As Point = New Point(22.5, 22.5)
Dim adder As Double = Math.Pow(Math.Pow(middle.X - e.X, 2) + Math.Pow(middle.Y - e.Y, 2), 0.5)
Dim total As Double = Math.Pow(1012.5, 0.5)
adder = (1 - (adder / total)) * 15
If Not (sender.size.Width = 45 + adder And sender.size.height = 45 + adder) Then
sender.Size = New Size(45 + adder, 45 + adder)
End If
For Each control As System.Windows.Forms.Control In Me.Controls
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.Y > sender.Location.Y AndAlso control.Location.X = sender.location.X AndAlso (Not control.Location.Y = control.Location.Y + (sender.size.height - oldSize.Height)) Then
control.Location = New Point(control.Location.X, control.Location.Y + (sender.size.height - oldSize.Height))
End If
Next
End Sub
```
decrease puts command buttons back to correct location and hides them if appropriate
```
Private Sub SmallShrinkPop(ByVal sender As Object, ByVal e As System.EventArgs)
Dim oldsize As Size = sender.Size
If Not (sender.size.width = 45 AndAlso sender.size.height = 45) Then
sender.size = New Size(45, 45)
End If
Dim ChildCounter As Integer = 0
For Each control As System.Windows.Forms.Control In Me.Controls
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.X = sender.location.X AndAlso control.Width = sender.width AndAlso control.Location.Y > sender.location.y Then
ChildCounter += 1
control.Location = New Point(control.Location.X, control.Location.Y + (sender.size.height - oldsize.Height))
If Windows.Forms.Control.MousePosition.X < control.Location.X Or Windows.Forms.Control.MousePosition.X > control.Location.X + control.Width Then
sender.visible = False
control.Visible = False
End If
End If
Next
If (ChildCounter = 0 AndAlso Windows.Forms.Control.MousePosition.Y > sender.Location.Y + sender.Height) Or (Windows.Forms.Control.MousePosition.X < sender.Location.X Or Windows.Forms.Control.MousePosition.X > sender.Location.X + sender.Width) Then
sender.visible = False
For Each control As System.Windows.Forms.Control In Me.Controls
If control.GetType.ToString = "Glass.GlassButton" AndAlso control.Location.X = sender.location.x AndAlso control.Width = sender.width Then
control.Visible = False
End If
Next
End If
End Sub
```
What I know:
1. If the form didn't have a background image, I wouldn't have the ghosting problem.
2. If this were just a normal button I am drawing, I probably wouldn't have the ghosting problem.
What I've done, and how I've tried to fix it:
1. Ensuring the form's doublebuffering is turned on (it was)
2. Manually doublebuffering using the bufferedGraphics class (did not help or made it worse)
3. Convince the designers that it doesn't need background images or the pretty glass buttons (no go)
4. Run Invalidate() on the rectangle containing the form (did not help)
5. Run Refresh() on the form (fixed the ghosting, but now the entire screen flashes as it reloads image)
6. Sit in the corner of my cubicle and cry softly to myself (helped the stress, but also did not fix issue)
What I am looking for are the answers to these questions:
1. Does anyone have any idea how to get rid of the ghosting I'm describing? Should I focus on changing the size less often? should I be focusing on buffering the background image?
2. Are there other technologies I should be using here? Are there ActiveX controls that would be better at this than .NET user inherited ones? Is it possible to make a DirectX user-control to use the graphics card to draw itself?
3. Is there something else I'm not thinking of here?
~~~~~~~~~~~~~~~~~~~~~~~~~ Update 1: 11/17/2009 9:21 AM ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
I've improved the efficiency of the draw methods by first checking to see if they need to be redrawn by checking what the new values will be vs what they already are(code changed above). This fixes some of the ghosting, however the core problem still remains to be solved.
| .NET graphics Ghosting | CC BY-SA 2.5 | 0 | 2009-11-04T21:48:41.047 | 2009-11-19T18:42:29.773 | 2017-02-08T14:16:56.370 | -1 | 202,848 | [
".net",
"vb.net",
"winforms",
"graphics",
"drawing"
] |
1,678,068 | 1 | 1,678,189 | null | 6 | 1,496 | I would like to understand why on .NET there are nine integer types: `Char`, `Byte`, `SByte`, `Int16`, `UInt16`, `Int32`, `UInt32`, `Int64`, and `UInt64`; plus other numeric types: `Single`, `Double`, `Decimal`; and all these types have no relation at all.
When I first started coding in C# I thought "cool, there's a `uint` type, I'm going to use that when negative values are not allowed". Then I realized no API used `uint` but `int` instead, and that `uint` is not derived from `int`, so a conversion was needed.
What are the real world application of these types? Why not have, instead, `integer` and `positiveInteger` ? These are types I can understand. A person's age in years is a `positiveInteger`, and since `positiveInteger` is a subset of `integer` there's so need for conversion whenever `integer` is expected.
The following is a diagram of the type hierarchy in XPath 2.0 and XQuery 1.0. If you look under `xs:anyAtomicType` you can see the numeric hierarchy `decimal` > `integer` > `long` > `int` > `short` > `byte`. Why wasn't .NET designed like this? Will the new framework "Oslo" be any different?

| .NET primitives and type hierarchies, why was it designed like this? | CC BY-SA 2.5 | null | 2009-11-05T03:02:47.577 | 2009-11-05T22:14:33.320 | 2017-02-08T14:16:57.057 | -1 | 39,923 | [
"c#",
".net",
"primitive"
] |
1,679,168 | 1 | 1,679,186 | null | 0 | 516 | I have a requirement like follows,

in this there will be list of user names with some status icons on there left in one row...
when it receive clicked event i need to change the background color to visualize that it is selected... i tried every way but i can't put image and label together plus i don't know how to change background color of label...
This whole list need to have scroll bars as there can be n numbers of items...
can anyone suggest me how to do it...
which widgets to use for this...
can some one point to tutorials examples.
Thanks.
| Totally confuse about creating an GTK+C widget | CC BY-SA 2.5 | null | 2009-11-05T08:44:39.433 | 2009-11-05T14:36:11.933 | 2017-02-08T14:16:58.190 | -1 | 314,247 | [
"gtk"
] |
1,679,819 | 1 | 1,680,483 | null | 3 | 3,364 | I made some changes in the sourcecode for a project hosted on codeplex.
I'm not an author or editor on the project - just a user.
But I'd like to submit the changes as a patch.
Codeplex has a nice way to do upload the patch...

How can I generate a patch or a diff, from within Visual Studio? How can I generate something that another VS developer could apply to update his source code?
Thanks.
| How can I generate a diff from within Visual Studio for a codeplex project? | CC BY-SA 2.5 | null | 2009-11-05T11:03:31.363 | 2009-11-05T13:13:33.787 | 2009-11-05T12:31:04.290 | 48,082 | 48,082 | [
"visual-studio",
"diff",
"patch"
] |
1,680,195 | 1 | null | null | 0 | 1,501 | i start a mfc application with a dialog window i debug it (nothing added) and i give me an linker error
i run it on release mod and it worked
my OS is windows 7
what should i do
error:
```
LINK : fatal error LNK1000: Internal error during IncrBuildImage
1> Version 9.00.21022.08
1> ExceptionCode = C0000005
1> ExceptionFlags = 00000000
1> ExceptionAddress = 00E7FCF7 (00E00000) "C:\Program Files (x86)\Microsoft Visual Studio 9.0\VC\bin\link.exe"
1> NumberParameters = 00000002
1> ExceptionInformation[ 0] = 00000000
1> ExceptionInformation[ 1] = 00D1D670
1>CONTEXT:
1> Eax = 400BCC58 Esp = 0034ECB4
1> Ebx = 40008164 Ebp = 0034ECDC
1> Ecx = 00D1D670 Esi = 400BCAEC
1> Edx = 0034ECCC Edi = 00E0D6C0
1> Eip = 00E7FCF7 EFlags = 00010246
1> SegCs = 00000023 SegDs = 0000002B
1> SegSs = 0000002B SegEs = 0000002B
1> SegFs = 00000053 SegGs = 0000002B
1> Dr0 = 00000000 Dr3 = 00000000
1> Dr1 = 00000000 Dr6 = 00000000
1> Dr2 = 00000000 Dr7 = 00000000
1>Build log was saved at "file://c:\Users\arda\Documents\Visual Studio 2008\Projects\1234\1234\Debug\BuildLog.htm"
1>1234 - 1 error(s), 0 warning(s)
```

| visual studio 2008 MFC linker error | CC BY-SA 3.0 | null | 2009-11-05T12:17:47.917 | 2015-06-21T00:59:27.503 | 2015-06-21T00:59:27.503 | 1,159,643 | 189,646 | [
"visual-studio-2008",
"mfc"
] |
1,681,684 | 1 | 1,682,095 | null | 3 | 2,269 | I am just curious if this is right, or bad practice? (i.e. using a class method to alloc/init an instance)? Also am I right in thinking that I have to release the instance in main() as its the only place I have access to the instance pointer?
```
// IMPLEMENTATION
+(id) newData {
DataPoint *myNewData;
myNewData = [[DataPoint alloc] init];
return myNewData;
}
```
.
```
// MAIN
DataPoint *myData;
myData = [DataPoint newData];
... stuff
[myData release];
```
# EDIT:
Also should
```
myNewData = [[DataPoint alloc] init];
```
be (or does it not matter)
```
myNewData = [[self alloc] init];
```
# EDIT_002:
Strange, when I add the autorelease I get ...

# EDIT_003:
@Dave DeLong, one final question, what your saying is its perferable to:
```
+(id) dataPoint {
return [[[self alloc] init] autorelease];
}
```
rather than (where you would release in main)
```
+(id) new {
return [[self alloc] init];
}
```
cheers gary
| Object allocation from class method? | CC BY-SA 2.5 | null | 2009-11-05T16:16:43.120 | 2009-11-06T02:45:42.957 | 2017-02-08T14:16:58.547 | -1 | 164,216 | [
"objective-c",
"cocoa"
] |
1,684,004 | 1 | 1,684,521 | null | 8 | 6,800 | I'm having trouble with memory fragmentation in my program and not being able to allocate very large memory blocks after a while. I've read the related posts on this forum - mainly [this](https://stackoverflow.com/questions/60871/how-to-solve-memory-fragmentation) one. And I still have some questions.
I've been using a memory space [profiler](http://hashpling.org/asm/) to get a picture of the memory. I wrote a 1 line program that contains cin >> var; and took a picture of the memory:

Where on the top arc - green indicates empty space, yellow allocated, red commited. My question is what is that allocated memory on the right? Is it the stack for the main thread? This memory isn't going to be freed and it splits the continuous memory that I need. In this simple 1 line program the split isn't as bad. My actual program has more stuff allocated right in the middle of the address space, and I don't know where it's comming from. I'm not allocating that memory yet.
1. How can I try solve this? I was thinking of switching to something like nedmalloc or dlmalloc. However that would only apply to the objects I allocate explicitly myself, whereas the split shown in the picture wouldn't go away? Or is there a way to replace the CRT allocation with another memory manager?
2. Speaking of objects, are there any wrappers for nedmalloc for c++ so I can use new and delete to allocate objects?
| Heap fragmentation and windows memory manager | CC BY-SA 4.0 | 0 | 2009-11-05T22:11:41.967 | 2022-11-21T19:42:10.453 | 2022-11-21T19:42:10.453 | 44,729 | 76,804 | [
"c++",
"windows",
"memory-management"
] |
1,685,079 | 1 | 1,685,526 | null | 8 | 24,634 | I am looking for Eclipse themes that are similar to the following and support Python/xhtml/css/js by default.

| Color Themes For Eclipse Python Development | CC BY-SA 3.0 | 0 | 2009-11-06T02:40:47.417 | 2015-06-21T00:51:11.070 | 2015-06-21T00:51:11.070 | 1,159,643 | 122,032 | [
"python",
"eclipse",
"themes"
] |
1,686,265 | 1 | 1,688,530 | null | 3 | 9,711 | Is there any subroutine, in [MATLAB](http://en.wikipedia.org/wiki/MATLAB), that takes in a list of points, and return me a good mesh that I can use to show to my colleagues, such as this?

Actually, all I need is just a simple 2D mesh generator that takes in a series of X, Y coordinates (that defines the boundary of the area), and give me back a list of elements that can mesh that area well. [I can do the rest by using MATLAB command to interpolate the Z value.](https://stackoverflow.com/questions/1672176/how-do-i-generate-a-3-d-surface-from-isolines)
PS: I know there is this [DistMesh](http://www-math.mit.edu/~persson/mesh/), but I am looking for something simpler - something built-in direct in MATLAB perhaps. And no, [meshgrid](http://www.mathworks.com/access/helpdesk/help/.../meshgrid.html) is mesh generation.
| Mesh Generation in MATLAB | CC BY-SA 2.5 | null | 2009-11-06T08:45:49.000 | 2011-03-30T12:21:58.840 | 2017-05-23T12:33:39.607 | -1 | 3,834 | [
"matlab",
"mesh"
] |
1,686,852 | 1 | 1,802,160 | null | 3 | 2,535 | Below is the link
[How to insert,delete,select,update values in datagridview in C# using MYSQL](https://stackoverflow.com/questions/1518946/how-to-insert-delete-select-update-values-in-datagridview-in-c-using-mysql)
which has the code to connect to a MySQL datbase from a Windows application. It works fine in Windows XP. So I have created a setup file and installed in Ubuntu using [Wine](http://en.wikipedia.org/wiki/Wine_%28software%29).
The issue is with the data not getting popped up in the datagridview of the application.
Extra information:
> > Wine is working fine by which i have installed small desktop application
MySql with connector,Mono IDE are already installed.> It is even possible for me to create small applications using mono>(excluding database)
Screenshot 1:
In Windows it looks like this:

But in Ubuntu Linux(8.04) it doesn't show up and looks like below.

| Can't connect to MySQL for .NET application deployed in Wine using Ubuntu | CC BY-SA 3.0 | null | 2009-11-06T10:55:41.227 | 2015-06-21T01:08:57.080 | 2017-05-23T10:34:18.037 | -1 | 128,036 | [
"c#",
"mysql",
"ubuntu",
"mono",
"wine"
] |
1,688,902 | 1 | 1,688,935 | null | 0 | 616 | I have something that looks like this:

As you can see, "Blambo" is a JLabel with an opaque, red background. The label sits on top of a little grey bar that has a single pixel blackish border all the way around it. I'd like my red warning to match the bar it's sitting on more nicely, i.e. I either need to make it two pixels shorter and move it down a pixel or I need to apply the same single pixel border to the top and bottom only. Of those two, the first is probably preferable as this piece of code is shared with other labels.
The code in question:
```
bgColor = Color.red;
textColor = Color.white;
setBackground(bgColor);
setOpaque(true);
// This line merely adds some padding on the left
setBorder(Global.border_left_margin);
setForeground(textColor);
setFont(font);
super.paint(g);
```
That border is defined thusly:
```
public static Border border_left_margin = new EmptyBorder(0,6,0,0);
```
| How can I resize the background of a JLabel or apply top and bottom borders only? | CC BY-SA 3.0 | null | 2009-11-06T16:56:12.847 | 2015-06-21T00:37:51.527 | 2015-06-21T00:37:51.527 | 4,099,598 | 45,077 | [
"java",
"swing",
"jlabel"
] |
1,691,630 | 1 | 1,691,742 | null | 1 | 22,912 | I am with a little problem with the arrow image of a ComboBox control (AjaxControlToolkit).
I define this style:
```
.WindowsStyle .ajax__combobox_inputcontainer .ajax__combobox_buttoncontainer button
{
margin: 0;
padding: 0;
background-image: url(../icons/windows-arrow.gif);
background-position: top left;
border: 0px none;
height: 21px;
width: 21px;
}
```
I set this style on combobox, but the control are showing the border of the textbox before the arrow:

Look [here](http://www.asp.net/AJAX/AjaxControlToolkit/Samples/ComboBox/ComboBox.aspx), the border aren't showing!
How can I hide this border?
| AjaxControlToolkit, ComboBox style | CC BY-SA 2.5 | 0 | 2009-11-07T01:43:55.703 | 2021-01-14T19:23:10.873 | 2011-03-31T18:08:54.617 | 275,404 | 203,666 | [
"asp.net",
"css",
"combobox",
"ajaxcontroltoolkit"
] |
1,692,527 | 1 | 1,692,633 | null | 2 | 1,898 | I have
```
a =
54.1848
50.0456
99.9748
83.1009
63.1457
91.7577
64.0805
48.2090
75.7711
t =
79.7077
31.0913
14.9389
10.8303
16.4844
26.8465
41.6946
77.3369
186.3246
```
How can make a simple line plot with `a` on `y axis` and `t` on `x axis`?
`plot (a,t)` gives

and `plot (t,a)` gives

I don't understand how these are generated. The result should be something else.
| How to make a basic line plot in MATLAB? | CC BY-SA 2.5 | null | 2009-11-07T09:19:07.040 | 2009-11-08T21:20:33.837 | null | null | 113,124 | [
"matlab",
"graph",
"plot"
] |
1,698,355 | 1 | 1,699,184 | null | 8 | 5,623 | I am hoping to obtain some some help with 2D object detection. I'll give a brief overview of the context in which this will be implemented.
There will be an image taken of the ceiling. The ceiling will have markers placed on it so the orientation of the camera can be determined. The pictures will always be taken facing straight up. My goal is to detect one of these markers in the image and determine its rotation. So rotation and scaling(to a lesser extent) will be the two primary factors used in the image detection. I will be writing the software in either C# or matlab(not quite sure yet).
For example, the marker might be an arrow like this:

An image taken of the ceiling would contain markers. The software needs to detect a single marker and determine that it has been rotated by 170 degrees.

I have no prior experience with image analysis. I know image processing is a fairly broad topic and was hoping to get some advice on which direction I should take and which techniques would be best for my application. Thanks!
| Detect marker in 2D image | CC BY-SA 3.0 | 0 | 2009-11-08T23:39:24.647 | 2019-05-07T04:06:01.580 | 2015-06-21T00:55:45.663 | 1,159,643 | 132,433 | [
"c#",
"matlab",
"image-processing",
"computer-vision"
] |
1,698,435 | 1 | 1,698,459 | null | 56 | 35,723 | The Django admin site makes use of a really cool widget:

How can I make use of this widget in my own applications? I don't see anything like that [listed here](http://docs.djangoproject.com/en/dev/ref/forms/widgets/#ref-forms-widgets).
| Django multi-select widget? | CC BY-SA 3.0 | 0 | 2009-11-09T00:03:33.793 | 2015-04-05T19:08:19.890 | 2015-01-27T17:35:11.763 | 1,075,247 | 65,387 | [
"django",
"forms",
"django-forms"
] |
1,699,456 | 1 | null | null | 0 | 4,697 | Is it possible to use VBScript or commandline to grab the server IP of a PPP VPN under Windows?

Note this is not VPN dialup server IP.
| Get server IP of PPP VPN in Windows using VBScript or CMD | CC BY-SA 2.5 | null | 2009-11-09T06:54:34.507 | 2020-12-07T08:45:23.287 | null | null | 41,948 | [
"windows",
"vbscript",
"cmd",
"vpn",
"ppp"
] |
1,699,582 | 1 | 1,699,600 | null | 37 | 36,759 | I am displaying a JavaScript confirm box when the user clicks on the "Delete Data" button. I am displaying it as shown in this image:

In the image, the "OK" button is selected by default. I want to select the "Cancel" button by default, so that if the user accidentally presses the key, the records will be safe and will not be deleted.
Is there any way in JavaScript to select the "Cancel" button by default?
| JavaScript: How to select "Cancel" by default in confirm box? | CC BY-SA 3.0 | 0 | 2009-11-09T07:33:37.820 | 2021-02-17T20:35:22.030 | 2014-09-20T07:39:44.757 | 1,402,846 | 45,261 | [
"javascript",
"jquery",
"confirm"
] |
1,700,303 | 1 | 1,700,472 | null | 5 | 3,419 | I am writing a c# unit test that validates string properties for an ORM class against the target database, always SQL 2008, and the class that the data maps to.
Checking that a specified foreign key is valid in the DB is easy:
```
static private bool ConstraintExsits(string table, string column, ConstraintType constraintType)
{
string constraintTypeWhereClause;
switch (constraintType)
{
case ConstraintType.PrimaryKey:
constraintTypeWhereClause = "PRIMARY KEY";
break;
case ConstraintType.ForeignKey:
constraintTypeWhereClause = "FOREIGN KEY";
break;
default:
throw new ArgumentOutOfRangeException("constraintType");
}
var cmd = new SqlCommand(
@"SELECT a.CONSTRAINT_NAME
FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS a
JOIN INFORMATION_SCHEMA.CONSTRAINT_COLUMN_USAGE b on a.CONSTRAINT_NAME = b.CONSTRAINT_NAME
WHERE a.TABLE_NAME = @table AND b.COLUMN_NAME = @column AND a.CONSTRAINT_TYPE = '" + constraintTypeWhereClause + "'",
Connection);
cmd.Parameters.AddWithValue("@table", table.Trim('[').Trim(']'));
cmd.Parameters.AddWithValue("@column", column.Trim('[').Trim(']'));
return !string.IsNullOrEmpty((string)cmd.ExecuteScalar());
}
```
Now take the following Foreign Key Relationships:

My question: How do I query the relationship from the 'Primary/Unique Key Base Table' and 'Primary/Unique Key Columns' side? I cannot see these referenced in the INFORMATION_SCHEMA views.
Thanks
J
| SQL 2008 - Foreign key constraints in the INFORMATION_SCHEMA view | CC BY-SA 2.5 | 0 | 2009-11-09T10:48:52.780 | 2018-11-10T16:04:18.077 | 2017-02-08T14:17:03.337 | -1 | 80,287 | [
"c#",
"sql",
"orm"
] |
1,701,521 | 1 | null | null | 5 | 2,687 | Is there anything other than DDD that will draw diagrams of my data structures like DDD does that runs on Linux?
ddd is okay and runs, just kind of has an old klunky feeling to it, just wanted to explore alternatives if there are any.
The top part with the grid of this image is what I am talking about:

| DDD Alternative that also Draws Pretty Pictures of Data Structures | CC BY-SA 3.0 | 0 | 2009-11-09T14:53:55.127 | 2016-08-25T12:53:42.873 | 2012-10-12T17:47:56.267 | 107,156 | 107,156 | [
"c",
"linux",
"gdb",
"debugging",
"ddd-debugger"
] |
1,702,580 | 1 | 1,730,638 | null | 15 | 106,205 | I've just spent the last few weeks learning how to properly design a layout. I basically thought I had everything perfect with my website layout and was ready to go about transferring the coding to Wordpress... and then I accidentally resized my web browser and discovered that all of my `div` layers were overlapping each other.
Here's what it looks like:

Basically it looks as though it's mainly my center content `div` that is being squeezed out, as well as my header image and navigation witch are in the same top `div`. My footer is also squeezed down as well. I've searched the internet for a solution to this problem and can't seem to find a thing.
How do I fix it so that my `div`s stay in place when the browser is resized?
| How do I prevent my div layers from overlapping when the browser is resized? | CC BY-SA 3.0 | 0 | 2009-11-09T17:41:09.353 | 2015-08-31T17:21:30.847 | 2013-05-25T07:10:13.353 | 1,850,609 | null | [
"css",
"browser",
"html",
"resize"
] |
1,704,821 | 1 | 1,704,838 | null | 48 | 47,613 | Consider a SQL Server table that's used to store events for auditing.
The need is to get only that for each CustID. We want to get the entire object/row. I am assuming that a GroupBy() will be needed in the query. Here's the query so far:
```
var custsLastAccess = db.CustAccesses
.Where(c.AccessReason.Length>0)
.GroupBy(c => c.CustID)
// .Select()
.ToList();
// (?) where to put the c.Max(cu=>cu.AccessDate)
```

How can I create the query to select the latest(the maximum `AccessDate`) record/object for each `CustID`?
| LINQ to SQL: GroupBy() and Max() to get the object with latest date | CC BY-SA 2.5 | 0 | 2009-11-10T00:09:52.670 | 2019-03-06T13:55:31.427 | null | null | 23,199 | [
"c#",
"linq",
"linq-to-sql",
"group-by"
] |
1,704,845 | 1 | 1,704,882 | null | 0 | 1,646 |
# Part One
I want to .htaccess redirect all HTML files to the home page. I looked at this guy's question ([htaccess redirect all html files](https://stackoverflow.com/questions/1472982/htaccess-redirect-all-html-files)), and wrote this code:
```
RewriteCond %{HTTP_HOST} ^pandamonia.us$ [OR]
RewriteCond %{HTTP_HOST} ^www.pandamonia.us$
RewriteRule .*\.html$ "http\:\/\/pandamonia\.us\/" [L]
```
but the problem is that it also redirects the homepage to itself, causing the universe to end.

So my question, is how can I redirect every HTML page that is the homepage to the homepage.
##
# Part Two
[Exclude certain subfolders and domains in redirects](https://stackoverflow.com/questions/1732275/exclude-certain-subfolders-and-domains-in-redirects)
| Redirect only HTML files? | CC BY-SA 3.0 | 0 | 2009-11-10T00:15:54.377 | 2011-07-28T15:57:03.887 | 2017-05-23T11:48:39.790 | -1 | 205,895 | [
"html",
".htaccess",
"redirect",
"loops"
] |
1,704,872 | 1 | 1,706,765 | null | 4 | 12,797 | I have a `WebView` that I'm using to open some files stored in the `assets/` directory of my project. It works fine for most of the files, but there's one in particular (and I'm sure others I haven't found) that it just open.
The file I'm having problems with is named:
```
"assets/ContentRoot/Photos/XXX Software Logo - jpg - 75%.JPG"
```
When I pass it to `WebView`, and it shows the error page, it shows it as:
```
"file:///android_asset/ContentRoot/Photos/XXX%20Software%20Logo%20-%20jpg%20-%2075%.JPG"
```
I then tried running `URLEncoder.encode()` on it and got the error page with the URL presented as:
```
"file:///android_asset/ContentRoot/Photos/XXX+Software+Logo+-+jpg+-+75%.JPG"
```
Neither of these URLs were able to open the file (and they both look okay to me). Anyone have any ideas?
If I encode the `%` by hand (using `%25`, as commonsware.com suggested) then it loads the image, but it tries to parse it as text, not as an image, so I just get a lot of (basically) garbage.

Also, referring to the image in an HTML document with a relative URL isn't working (probably because it's not being parsed as an image?):
```
<img src="../Photos/XXX%20Software%20Logo%20-%20jpg%20-%2075%.JPG" />
<img src="../Photos/XXX%20Software%20Logo%20-%20jpg%20-%2075%25.JPG" />
```
| Why is WebView unable to open some local URLs (Android)? | CC BY-SA 2.5 | 0 | 2009-11-10T00:21:47.393 | 2010-11-16T18:47:06.690 | 2009-11-10T01:40:32.433 | 76,835 | 76,835 | [
"android",
"url",
"webview"
] |
1,705,952 | 1 | 10,929,430 | null | 95 | 50,450 | From [my recent question](https://stackoverflow.com/questions/1680030/how-to-solve-duplicate-objects-in-dynamic-loading-page-by-using-jquery), I have already created some JavaScript functions for dynamic loading of a partial view. But I can't debug any dynamic loading JavaScript. Because all of the loaded JavaScript will be evaluated by the "eval" function.
I found one way to create new JavaScript by using the following script to dynamically create the script into the header of current document. All loaded scripts will be displayed in the HTML DOM (and you can use any debugger to find it).
```
var script = document.createElement('script')
script.setAttribute("type","text/javascript")
script.text = "alert('Test!');";
document.getElementsByTagName('head')[0].appendChild(script);
```
By the way, most debuggers (IE8 Developer Toolbar, Firebug and Google Chrome) can’t set breakpoints in any dynamic script. Because debuggable scripts must be loaded the first time after the page is loaded.
Do you have an idea for debugging when using dynamic script content or a dynamic file?
You can use the following xhtml file for trying to debug someVariable value.
```
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<title>Dynamic Loading Script Testing</title>
<script type="text/javascript">
function page_load()
{
var script = document.createElement('script')
script.setAttribute("id", "dynamicLoadingScript");
script.setAttribute("type","text/javascript");
script.text = "var someVariable = 0;\n" +
"someVariable = window.outerWidth;\n" +
"alert(someVariable);";
document.getElementsByTagName('head')[0].appendChild(script);
}
</script>
</head>
<body onload="page_load();">
</body>
</html>
```
From answer, I just test it in FireBug. The result should be displayed like below images.




Both of the above images show inserting "debugger;" statement in some line of the script can fire a breakpoint in the dynamic loading script. However, both debuggers do not show any code at breakpoint. Therefore, it is useless to this
| Is possible to debug dynamic loading JavaScript by some debugger like WebKit, FireBug or the IE8 Developer Tool? | CC BY-SA 4.0 | 0 | 2009-11-10T06:14:09.887 | 2022-09-12T18:46:38.963 | 2022-09-12T18:46:38.963 | 209,920 | null | [
"javascript",
"ajax"
] |
1,706,892 | 1 | 19,830,679 | null | 19 | 51,507 | Binary files have a version embedded in them - easy to display in Windows Explorer.

How can I retrieve that file version, from a batch file?
| How do I retrieve the version of a file from a batch file on Windows Vista? | CC BY-SA 2.5 | 0 | 2009-11-10T10:13:54.783 | 2020-10-25T14:08:33.373 | 2009-11-10T12:01:56.623 | 63,550 | 48,082 | [
"windows-vista",
"batch-file",
"version"
] |
1,707,362 | 1 | 1,708,053 | null | 4 | 3,541 | When I open a multi-byte file, I get this:

| How do I make emacs display a multi-byte encoded file, properly? Is it mule? | CC BY-SA 2.5 | 0 | 2009-11-10T11:41:31.970 | 2019-05-16T15:37:39.837 | null | null | 48,082 | [
"emacs",
"unicode",
"multibyte"
] |
1,707,620 | 1 | 1,711,158 | null | 89 | 25,148 | I've been implementing an adaptation of [Viola-Jones' face detection algorithm](http://scholar.google.com/scholar?cluster=6119571473300502765). The technique relies upon placing a subframe of 24x24 pixels within an image, and subsequently placing rectangular features inside it in every position with every size possible.
These features can consist of two, three or four rectangles. The following example is presented.

They claim the exhaustive set is more than 180k (section 2):
> Given that the base resolution of the detector is 24x24, the exhaustive set of rectangle features is quite large, over 180,000 . Note that unlike the Haar basis, the set of rectangle
features is overcomplete.
The following statements are not explicitly stated in the paper, so they are assumptions on my part:
1. There are only 2 two-rectangle features, 2 three-rectangle features and 1 four-rectangle feature. The logic behind this is that we are observing the difference between the highlighted rectangles, not explicitly the color or luminance or anything of that sort.
2. We cannot define feature type A as a 1x1 pixel block; it must at least be at least 1x2 pixels. Also, type D must be at least 2x2 pixels, and this rule holds accordingly to the other features.
3. We cannot define feature type A as a 1x3 pixel block as the middle pixel cannot be partitioned, and subtracting it from itself is identical to a 1x2 pixel block; this feature type is only defined for even widths. Also, the width of feature type C must be divisible by 3, and this rule holds accordingly to the other features.
4. We cannot define a feature with a width and/or height of 0. Therefore, we iterate x and y to 24 minus the size of the feature.
Based upon these assumptions, I've counted the exhaustive set:
```
const int frameSize = 24;
const int features = 5;
// All five feature types:
const int feature[features][2] = {{2,1}, {1,2}, {3,1}, {1,3}, {2,2}};
int count = 0;
// Each feature:
for (int i = 0; i < features; i++) {
int sizeX = feature[i][0];
int sizeY = feature[i][1];
// Each position:
for (int x = 0; x <= frameSize-sizeX; x++) {
for (int y = 0; y <= frameSize-sizeY; y++) {
// Each size fitting within the frameSize:
for (int width = sizeX; width <= frameSize-x; width+=sizeX) {
for (int height = sizeY; height <= frameSize-y; height+=sizeY) {
count++;
}
}
}
}
}
```
The result is .
The only way I found to approximate the "over 180,000" Viola & Jones speak of, is dropping assumption #4 and by introducing bugs in the code. This involves changing four lines respectively to:
```
for (int width = 0; width < frameSize-x; width+=sizeX)
for (int height = 0; height < frameSize-y; height+=sizeY)
```
The result is then . (Note that this will effectively prevent the features from ever touching the right and/or bottom of the subframe.)
Now of course the question: have they made a mistake in their implementation? Does it make any sense to consider features with a surface of zero? Or am I seeing it the wrong way?
| Viola-Jones' face detection claims 180k features | CC BY-SA 3.0 | 0 | 2009-11-10T12:30:20.900 | 2021-11-30T18:02:16.597 | 2014-04-18T00:55:29.217 | 97,160 | 154,306 | [
"algorithm",
"image-processing",
"computer-vision",
"face-detection",
"viola-jones"
] |
1,710,501 | 1 | 1,723,146 | null | 0 | 1,007 | Do any have any experience how this cold be done, if you look at the image im looking for a solution to programacly change the Name field to somehing else stored inn a variable from a other textbox.
i was thinking of using something like
```
private void button1_Click(object sender, EventArgs e)
{
var xBox = textbox1.value;
webBrowser1.Document.All.GetElementsByName("Name")[0].SetAttribute("Value", xBox);
}
```
but i dont know the name of the Textbox, and Sieble seems to be a java thing? so i cant see the source behind it? does anyone know how to solve this issue. im making a automate app to help at work for handeling over 100 cases a day. Instead of typing the names, im looking for a solution to populate by the click of a button.
I cant handel this by the sieble API because we dont have contorle of the Siebel develompent, and wold take years to get the Sieble department to implement somthing like this in to the GUI. so im making a desktop app that can handel the issue.
.gif)
| Autopopulate textboxes in Sieble CRM system, trough webBrowser1 in c# | CC BY-SA 2.5 | null | 2009-11-10T19:21:49.580 | 2010-09-02T08:34:01.277 | 2017-02-08T14:17:06.890 | -1 | 173,728 | [
"c#",
"autocomplete",
"siebel"
] |
1,711,784 | 1 | 1,712,019 | null | 6 | 5,871 | I'm currently working on writing a version of the MATLAB [RegionProps](http://www.mathworks.com/help/images/ref/regionprops.html) function for [GNU Octave](http://www.gnu.org/software/octave/). I have most of it implemented, but I'm still struggling with the implementation of a few parts. I had [previously asked](https://stackoverflow.com/questions/1532168/what-are-the-second-moments-of-a-region) about the of a region.
This was helpful theoretically, but I'm having trouble actually implementing the suggestions. I get results wildly different from MATLAB's (or common sense for that matter) and really don't understand why.
Consider this test image:

We can see it slants at 45 degrees from the X axis, with minor and major axes of 30 and 100 respectively.
Running it through MATLAB's `RegionProps` function confirms this:
```
MajorAxisLength: 101.3362
MinorAxisLength: 32.2961
Eccentricity: 0.9479
Orientation: -44.9480
```
Meanwhile, I don't even get the axes right. I'm trying to use [these formulas](http://en.wikipedia.org/wiki/Image_moments#Central_moments) from Wikipedia.
My code so far is:
### raw_moments.m:
```
function outmom = raw_moments(im,i,j)
total = 0;
total = int32(total);
im = int32(im);
[height,width] = size(im);
for x = 1:width;
for y = 1:height;
amount = (x ** i) * (y ** j) * im(y,x);
total = total + amount;
end;
end;
outmom = total;
```
### central_moments.m:
```
function cmom = central_moments(im,p,q);
total = 0;
total = double(total);
im = int32(im);
rawm00 = raw_moments(im,0,0);
xbar = double(raw_moments(im,1,0)) / double(rawm00);
ybar = double(raw_moments(im,0,1)) / double(rawm00);
[height,width] = size(im);
for x = 1:width;
for y = 1:height;
amount = ((x - xbar) ** p) * ((y - ybar) ** q) * double(im(y,x));
total = total + double(amount);
end;
end;
cmom = double(total);
```
And here's my code attempting to use these. I include comments for the values I get
at each step:
```
inim = logical(imread('135deg100by30ell.png'));
cm00 = central_moments(inim,0,0); % 2567
up20 = central_moments(inim,2,0) / cm00; % 353.94
up02 = central_moments(inim,0,2) / cm00; % 352.89
up11 = central_moments(inim,1,1) / cm00; % 288.31
covmat = [up20, up11; up11, up02];
%[ 353.94 288.31
% 288.31 352.89 ]
eigvals = eig(covmat); % [65.106 641.730]
minoraxislength = eigvals(1); % 65.106
majoraxislength = eigvals(2); % 641.730
```
I'm not sure what I'm doing wrong. I seem to be following those formulas correctly, but my results are nonsense. I haven't found any obvious errors in my moment functions, although honestly my understanding of moments isn't the greatest to begin with.
Can anyone see where I'm going astray? Thank you very much.
| Computing object statistics from the second central moments | CC BY-SA 3.0 | 0 | 2009-11-10T22:44:58.630 | 2015-03-17T13:14:04.380 | 2017-05-23T11:53:46.983 | -1 | 159,457 | [
"matlab",
"image-processing",
"computer-vision",
"octave"
] |
1,711,916 | 1 | 1,713,400 | null | 8 | 18,485 | > `BW = poly2mask(x, y, m, n)` computes a
binary region of interest (ROI) mask,
BW, from an ROI polygon, represented
by the vectors x and y. The size of BW
is m-by-n. `poly2mask` sets pixels in BW
that are inside the polygon (X,Y) to 1
and sets pixels outside the polygon to
0.
Given such a binary mask `BW` of a convex quadrilateral, what would be the most efficient way to determine the four corners?
E.g.,

Use `edge` to find the bounding lines, the Hough transform to find the 4 lines in the edge image and then find the intersection points of those 4 lines or use a corner detector on the edge image. Seems complicated, and I can't help feeling there's a simpler solution out there.
Btw, `convhull` doesn't always return 4 points (maybe someone can suggest `qhull` options to prevent that) : it returns a few points along the edges as well.
[Amro's answer](https://stackoverflow.com/questions/1711916/find-the-corners-of-a-polygon-represented-by-a-region-mask/1713400#1713400) seems quite elegant and efficient. But there could be multiple "corners" at each real corner since the peaks aren't unique. I could cluster them based on and average the "corners" around a real corner but the main problem is the use of `order(1:10)`.
Is `10` enough to account for all the corners or will this exclude a "corner" at a real corner?
| Find the corners of a polygon represented by a region mask | CC BY-SA 2.5 | 0 | 2009-11-10T23:11:41.647 | 2017-07-09T05:47:18.690 | 2017-05-23T12:33:39.607 | -1 | 71,131 | [
"matlab",
"geometry",
"computer-vision",
"polygon",
"corner-detection"
] |
1,712,462 | 1 | 1,712,474 | null | 0 | 32 | I have this method:
```
private void listView1_DoubleClick(object sender, EventArgs e)
{
if (listView1.SelectedItems.Count > 0)
{
ListViewItem selectedFile = listView1.SelectedItems[0];
label7.Text = selectedFile.ToString();
string selectedFileLocation = selectedFile.Tag.ToString();
PlaySoundFile(selectedFileLocation);
}
}
```
The result is this:

How can I retrieve the text that is selected in the ListView? :D
| Getting the exact text that is shown in my ListView. Help! | CC BY-SA 2.5 | null | 2009-11-11T01:38:09.757 | 2009-11-11T01:42:04.210 | null | null | 112,355 | [
"c#",
"listview"
] |
1,713,335 | 1 | 52,612,432 | null | 183 | 216,045 | I can write something myself by finding zero-crossings of the first derivative or something, but it seems like a common-enough function to be included in standard libraries. Anyone know of one?
My particular application is a 2D array, but usually it would be used for finding peaks in FFTs, etc.
Specifically, in these kinds of problems, there are multiple strong peaks, and then lots of smaller "peaks" that are just caused by noise that should be ignored. These are just examples; not my actual data:
1-dimensional peaks:
[](https://i.stack.imgur.com/eJvFQ.jpg)
2-dimensional peaks:

The peak-finding algorithm would find the location of these peaks (not just their values), and ideally would find the true inter-sample peak, not just the index with maximum value, probably using [quadratic interpolation](https://ccrma.stanford.edu/~jos/sasp/Quadratic_Peak_Interpolation.html) or something.
Typically you only care about a few strong peaks, so they'd either be chosen because they're above a certain threshold, or because they're the first peaks of an ordered list, ranked by amplitude.
As I said, I know how to write something like this myself. I'm just asking if there's a pre-existing function or package that's known to work well.
I [translated a MATLAB script](http://gist.github.com/250860) and it works decently for the 1-D case, but could be better.
sixtenbe [created a better version](https://gist.github.com/1178136) for the 1-D case.
| Peak-finding algorithm for Python/SciPy | CC BY-SA 3.0 | 0 | 2009-11-11T05:54:48.290 | 2022-10-04T13:12:52.677 | 2016-03-29T18:41:20.807 | 125,507 | 125,507 | [
"python",
"scipy",
"fft",
"hough-transform"
] |
1,714,172 | 1 | 1,763,661 | null | 0 | 1,759 | I created a link in a pdf document to a local html file ressource.
When you press the link, the following messagebox is shown:

For none German speakers... Securitywarning ... Document is trying to open ressource... are u sure that you wanna do that... Options are "Ok" or "Block"
But it is independent if click "block" or "ok", the effect is still the same ... nothing happens... the target isn't called.
In IE Version < 8 all works fine. Also in FF or other browsers. So it seems to be a IE8 specific problem.
- -
Does anyone know how to solve this problem?
The best solution would be to supress this warning completely ... or at least get it to work with this warning hehe.
I already setted the intranet zone security to low, but this changes nothing :(
Thanks for your help...
| Adobe PDF Links Problem in IE8 | CC BY-SA 2.5 | null | 2009-11-11T09:57:02.657 | 2009-11-20T12:09:01.207 | 2017-02-08T14:17:07.567 | -1 | 204,693 | [
"internet-explorer",
"pdf",
"windows-xp",
"internet-explorer-8",
"acrobat"
] |
1,715,469 | 1 | null | null | 2 | 2,123 | I have a list with a choice field, which is multiple choice - meaning many checkboxes.
I'd like to render it such that it will be surrounded by a frame, for example a DIV tag with a border.

(The frame should be in the HTML document)
How can I edit the Control Templates / FLDTYPES.XML / Create a control / any thing, to achieve this?
Thanks!
| How to override SharePoint field rendering in EditForm? | CC BY-SA 3.0 | 0 | 2009-11-11T14:23:21.133 | 2015-06-21T00:53:13.790 | 2015-06-21T00:53:13.790 | 1,159,643 | 78,256 | [
"sharepoint",
"sharepoint-2007"
] |
1,717,158 | 1 | 1,717,660 | null | 1 | 942 | I'm trying to use Quartz Composer to create a continuous integration build radiator.
I put together a simple XML file to describe the projects and the latest success of each of their workflows:
```
<projects>
<project>
<title>Project A</title>
<workflows>
<workflow>
<title>Build 1.0</title>
<status>success</status>
</workflow>
<workflow>
<title>Build 2.0</title>
<status>success</status>
</workflow>
</workflows>
</project>
<project>
<title>Project B</title>
<workflows>
<workflow>
<title>Build 1.0</title>
<status>success</status>
</workflow>
</workflows>
</project>
</projects>
```
This will obviously have more information but I'm just trying to get the basics working for now. I set up a composition and am using XML Downloader to load the above XML file from the filesystem.
The problem I'm having is thus: when I use the Structure Key Member patch on an element with multiple children, I get back multiple children BUT when I use Structure Key Member on an element with just one child I get back the single child instead of a collection of 1 item.
I've illustrated the problem below in an example composition:

Am I doing something wrong? Is this expected behavior? Why isn't the lower chain not also returning a QCStructure?
| Quartz Composer - Structure Key Member bug? | CC BY-SA 2.5 | 0 | 2009-11-11T18:22:18.173 | 2009-11-14T19:18:36.657 | 2017-02-08T14:17:07.900 | -1 | 8,252 | [
"xml",
"quartz-composer"
] |
1,719,020 | 1 | 1,719,712 | null | 0 | 988 | I'm tracking down a Memory leak within an MDI application. Opening, and then closing the form results in the form staying in memory. Using Ant's memory profiler, I can get the following graph of references keeping the form in memory.
I have removed any and all events we attach to the combo controls when Dispose fires on the form.
Can anyone direct me towards a solution?
The C1 namespace comes from ComponentOne.
I should note that I have attempted to see what the c, r, b etc methods on the C1Combo control are via reflector, but its obviously been run through an obfusticator which makes things difficult to understand.

| Memory Leak / Form not being garbage collected | CC BY-SA 2.5 | 0 | 2009-11-12T00:20:25.883 | 2009-12-23T06:15:28.157 | 2009-12-23T06:15:28.157 | 67,211 | 67,211 | [
"c#",
"memory",
"memory-leaks",
"componentone"
] |
1,719,247 | 1 | 1,735,527 | null | 0 | 279 | One of my Eclipse plugins has an error, visible in Product Configuration. The plugin is:
Resource Monitoring Common Feature (Incubation):

I haven't been able to figure out how to fix this. Looked for a way to reinstall but all the product configuration lets you do is disable/enable.
Under Properties / Status for that item it says:
> The feature is not configured properlyReason: Plug-in "org.apache.commons.httpclient" version "3.1.0.v20080605-1935" referenced by this feature is missing.
This is preventing me from using new plugins (namely Adobe Flash Builder 4 beta 2).
Thanks, Trevor
| Fix eclipse error | CC BY-SA 2.5 | null | 2009-11-12T01:16:41.250 | 2009-11-14T20:39:17.743 | 2020-06-20T09:12:55.060 | -1 | 65,311 | [
"eclipse",
"flash-builder"
] |
1,722,445 | 1 | 1,728,443 | null | 2 | 1,393 | In GTK+, how to remove this dotted border around a GtkButton, which gets drawn after we click the button?

| How to remove "selected" border around GtkButton? | CC BY-SA 2.5 | 0 | 2009-11-12T14:09:24.883 | 2009-11-13T10:45:43.590 | 2017-02-08T14:17:08.920 | -1 | 314,247 | [
"gtk"
] |
1,725,493 | 1 | 1,725,542 | null | 5 | 4,878 | I have horizontal ListBox. Here is code for it (removed some irrelevant):
```
<ListBox Grid.Row="1"
ItemContainerStyle="{StaticResource ListBoxUnselectableItemStyle}"
ItemsSource="{Binding ...}"
BorderThickness="0"
Background="{x:Null}"
ScrollViewer.CanContentScroll="False">
<ListBox.ItemsPanel>
<ItemsPanelTemplate>
<StackPanel Orientation="Horizontal"
VerticalAlignment="Top"
HorizontalAlignment="Center"
Background="Red"/>
</ItemsPanelTemplate>
</ListBox.ItemsPanel>
</ListBox>
```
And I get items' layout behavior like this:
]
As you can see, second item is smaller, and VerticalLayout is not Top as I want.
Can anybody help me?
| Horizontal ListBox items vertical layout | CC BY-SA 3.0 | null | 2009-11-12T21:18:54.857 | 2012-07-31T12:47:59.277 | 2012-07-31T12:47:59.277 | 399,317 | 194,890 | [
"wpf",
"xaml",
"layout",
"listbox"
] |
1,726,304 | 1 | 1,726,320 | null | 5 | 1,798 | 
```
<MenuItem Header="Language" Background="#2E404B">
MenuItem.Icon>
<Image Source="MenuImages/speechbubble.png" Stretch="Fill" />
</MenuItem.Icon>
</MenuItem>
```
How can I make it so the bubble fits nicely into the square box? Or even better, is there a way for my text to be a bit lower to hit the middle of the image. I wouldn't mind having a big image if I can move the text a bit lower.
| Icon in my Menu shows up way too big. How can I have it fit in the little square? | CC BY-SA 2.5 | null | 2009-11-13T00:06:50.073 | 2009-11-13T00:11:20.017 | null | null | 112,355 | [
"c#",
"wpf",
"menu"
] |
1,726,581 | 1 | 1,731,420 | null | 0 | 1,878 | anybody know any .Net freeware control for color selection (color dialog) that supports RGB, HSL and CMYK color models.
I'm looking for something like this.
 
Thanks.
| Freeware Colordialog Control for .Net | CC BY-SA 2.5 | 0 | 2009-11-13T01:29:35.927 | 2009-11-14T05:16:09.380 | 2017-02-08T14:17:12.477 | -1 | 91,299 | [
"c#",
".net",
"controls",
"colordialog"
] |
1,727,375 | 1 | null | null | 15 | 5,602 | Awhile ago I read the novel [Prey](https://rads.stackoverflow.com/amzn/click/com/0066214122). Even though it is definitely in the realm of fun science fiction, it piqued my interest in swarm/flock AI. I've been seeing some examples of these demos recently on reddit such as the [Nvidia plane flocking video](http://chrisbenjaminsen.com/stuff/boidsas3.swf) and [Chris Benjaminsen's flocking sandbox](http://www.reddit.com/r/programming/comments/a3qky/just_for_you_reddit_a_flocking_sandbox_in_flash/) ([source](http://chrisbenjaminsen.com/stuff/boidsas3.zip)).
I'm interested in writing some simulation demos involving swarm or flocking AI. I've taken Artificial Intelligence in college but we never approached the subject of simulating swarming/flocking behaviors and a quick flip through my textbook reveals that it isn't dicussed.

What are some solid resources for learning some of the finer points around flock/swarm algorithms? Does anyone have any experience in this field so they could point me in the right direction concerning a well suited AI book or published papers?
| What are some good resources on flocking and swarm algorithms? | CC BY-SA 2.5 | 0 | 2009-11-13T05:52:18.580 | 2010-11-09T16:14:59.693 | 2010-11-09T16:14:59.693 | 428,381 | 2,635 | [
"algorithm",
"artificial-intelligence",
"boids"
] |
1,727,635 | 1 | null | null | 3 | 2,012 | The `<select>` has a width of `60px`,
but the content of `<option>` is longer than that.
Which is hidden in IE6.

How to fix that?
| How to make <option> wider than <select> in IE6? | CC BY-SA 3.0 | null | 2009-11-13T07:10:16.740 | 2022-09-09T15:45:13.983 | 2022-09-09T15:45:13.983 | 10,871,900 | 210,133 | [
"css",
"html-select",
"internet-explorer-6"
] |
1,729,390 | 1 | null | null | 6 | 3,256 | I'm using Visual Studio 2008 (with the latest service pack)
I also have ReSharper 4.5 installed.
ReSharper Code analysis/ scan is turned off.
OS: Windows 7 Enterprise Edition
It takes me a long time (2 minutes) to run the debugger, compiler, and if I save a file in my app_code folder it locks up for 2 minutes.
I have 12 Gb of ram and as you can see I have plenty more.
This screen shot was taken when VS was frozen/locked up.
Can I allocate more ram to VS? Or is there any other tweaks I can do?

| How to speed up Visual Studio 2008? Add more resources? | CC BY-SA 3.0 | 0 | 2009-11-13T14:03:19.667 | 2015-06-21T01:09:56.500 | 2015-06-21T01:09:56.500 | 1,159,643 | 87,302 | [
"visual-studio-2008",
"memory",
"cpu",
"performance"
] |
1,729,596 | 1 | 6,602,701 | null | 10 | 7,922 | I've been trying to figure out a decent way to smoothly animate a frame size change on a UILabel, without a weird starting jump redraw. What happens by default is that when I do something like this:
```
// Assume myLabel frame starts as (0, 0, 100, 200)
[UIView beginAnimations:@"myAnim" context:NULL];
[UIView setAnimationBeginsFromCurrentState:YES];
[UIView setAnimationCurve:UIViewAnimationCurveLinear];
[UIView setAnimationDuration:1.0];
myLabel.frame = CGRectMake(0.0, 0.0, 50, 100);
[UIView commitAnimations];
```
I get a smooth animation with the label, the way that it does it is that it takes the redrawn image layer for the destination size of the label and streches the content to fit the current then animates to the destination rect. This ends up with a very bizarre jump in the text display. Here are two images showing the pre-animation look, and then just after the animation starts:
Pre-Animation

Post-Animation

I have tried to use just the layer to animate this, but I still get the same issues.
So the question is, how can I avoid this?
Thanks for any help,
Scott
| Animating Frame of UILabel smoothly | CC BY-SA 2.5 | 0 | 2009-11-13T14:35:49.400 | 2014-03-06T12:32:08.467 | 2017-02-08T14:17:14.230 | -1 | 116,443 | [
"cocoa-touch",
"animation",
"uilabel"
] |
1,730,656 | 1 | null | null | 1 | 5,249 | I am finishing up a rewrite of task management system, and am in the process of adding drag and drop capabilities.

I want the user to be able to drag a task DIV from one column (TD) and drop it in another column (TD). I have this working correctly, save for some minor formatting issues. I have the TD with a class called droppable that accepts draggable classes. What I would like to happen is actually remove the task DIV from the current TD and append it to the dropped on TD.
Here is my script:
```
<script type="text/javascript">
$(function() {
$(".draggable").draggable({
cursor: 'move',
cancel: 'a',
revert: 'invalid',
snap: 'true'
});
});
$(function() {
$(".droppable").droppable({
accept: '.draggable',
hoverClass: 'droppable-hover',
drop: function(event, ui) { }
});
});
</script>
```
Here is my Html:
```
<h3>
My Queue</h3>
<table style="width: 100%;" class="queue">
<tbody>
<tr>
<td style="width: 14%; vertical-align:bottom ;" class="droppable" id="StagePG">
</td>
<td style="width: 14%; vertical-align:bottom ;" class="droppable" id="StageRY">
</td>
<td style="width: 14%; vertical-align:bottom ;" class="droppable" id="StagePR">
<div class="queue-item draggable" title="Task description goes here.">
<em>Customer</em>
<strong>Project</strong>
<h4><a href="/Sauron/Task/Details/100001">100001</a></h4>
</div>
<div class="queue-item draggable" title="Task description goes here.">
<em>Customer</em>
<strong>Project</strong>
<h4><a href="/Sauron/Task/Details/100002">100002</a></h4>
</div>
</td>
<td style="width: 14%; vertical-align:bottom ;" class="droppable" id="StageRT">
</td>
<td style="width: 14%; vertical-align:bottom ;" class="droppable" id="StageTE">
</td>
<td style="width: 14%; vertical-align:bottom ;" class="droppable" id="StageRL">
</td>
</tr>
</tbody>
<tfoot>
<tr>
<td style="width: 14%; text-align: center;">
Pending (0)
</td>
<td style="width: 14%; text-align: center;">
Ready (0)
</td>
<td style="width: 14%; text-align: center;">
In Progress (2)
</td>
<td style="width: 14%; text-align: center;">
Ready for Testing (0)
</td>
<td style="width: 14%; text-align: center;">
Testing (0)
</td>
<td style="width: 14%; text-align: center;">
Ready for Release (0)
</td>
</tr>
</tfoot>
</table>
```
Struggling with the drop event and how to implement this. Any help is appreciated!
| User jQuery to drag a DIV and drop in a TD ... and have the DIV "snap" into place | CC BY-SA 2.5 | 0 | 2009-11-13T17:14:20.743 | 2010-02-28T06:00:03.907 | 2017-02-08T14:17:14.913 | -1 | 1,768 | [
"javascript",
"jquery",
"asp.net-mvc",
"jquery-ui",
"drag-and-drop"
] |
1,730,824 | 1 | 1,731,170 | null | 1 | 1,806 | I am currently using Q-Learning to try to teach a bot how to move in a room filled with walls/obstacles. It must start in any place in the room and get to the goal state(this might be, to the tile that has a door, for example).
Currently when it wants to move to another tile, it will go to that tile, but I was thinking that in the future I might add a random chance of going to another tile, instead of that. It can only move up, down, left and right. Reaching the goal state yields +100 and the rest of the actions will yield 0.
I am using the algorithm found [here](http://people.revoledu.com/kardi/tutorial/ReinforcementLearning/Q-Learning-Algorithm.htm), which can be seen in the image bellow.


Now, regarding this, I have some questions:
1. When using Q-Learning, a bit like Neural Networks, I must make distinction between a learning phase and a using phase? I mean, it seems that what they shown on the first picture is a learning one and in the second picture a using one.
2. I read somewhere that it'd take an infinite number of steps to reach to the optimum Q values table. Is that true? I'd say that isn't true, but I must be missing something here.
3. I've heard also about TD(Temporal Differences), which seems to be represented by the following expression: Q(a, s) = Q(a, s) * alpha * [R(a, s) + gamma * Max { Q(a', s' } - Q(a, s)]
which for alpha = 1, just seems the one shown first in the picture. What difference does that gamma make, here?
4. I have run in some complications if I try a very big room(300x200 pixels, for example). As it essentially runs randomly, if the room is very big then it will take a lot of time to go randomly from the first state to the goal state. What methods can I use to speed it up? I thought maybe having a table filled with trues and falses, regarding whatever I have in that episode already been in that state or not. If yes, I'd discard it, if no, I'd go there. If I had already been in all those states, then I'd go to a random one. This way, it'd be just like what am I doing now, knowing that I'd repeat states a less often that I currently do.
5. I'd like to try something else than my lookup table for Q-Values, so I was thinking in using Neural Networks with back-propagation for this. I will probably try having a Neural Network for each action (up, down, left, right), as it seems it's what yields best results. Are there any other methods (besides SVM, that seem way too hard to implement myself) that I could use and implement that'd give me good Q-Values function approximation?
6. Do you think Genetic Algorithms would yield good results in this situation, using the Q-Values matrix as the basis for it? How could I test my fitness function? It gives me the impression that GA are generally used for things way more random/complex. If we watch carefully we will notice that the Q-Values follow a clear trend - having the higher Q values near the goal and lower ones the farther away you are from them. Going to try to reach that conclusion by GA probably would take way too long?
| Improving Q-Learning | CC BY-SA 3.0 | 0 | 2009-11-13T17:43:52.057 | 2020-05-22T08:14:37.383 | 2015-06-21T01:03:05.530 | 4,099,598 | 130,758 | [
"language-agnostic",
"artificial-intelligence",
"genetic-algorithm",
"reinforcement-learning"
] |
1,731,093 | 1 | null | null | 5 | 8,537 | Consider a SQL Server table that holds log data. The important parts are:
```
CREATE TABLE [dbo].[CustomerLog](
[ID] [int] IDENTITY(1,1) NOT NULL,
[CustID] [int] NOT NULL,
[VisitDate] [datetime] NOT NULL,
CONSTRAINT [PK_CustomerLog] PRIMARY KEY CLUSTERED ([ID] ASC)) ON [PRIMARY]
```
The query here is around finding the distribution of visits of the day. We're interested in seeing the distribution of the in a given date range.

The query results would be something like this:
The intention is to write a query :
```
SELECT DATEPART(hh, VisitDate)
,AVG(COUNT(*))
FROM CustomerLog
WHERE VisitDate BETWEEN 'Jan 1 2009' AND 'Aug 1 2009'
GROUP BY DATEPART(hh, VisitDate)
```
This is not a valid query, however:
> Cannot perform an aggregate function on an expression containing an aggregate or a subquery.
how would you re-write this query to gather the average totals (i.e. in place of `AVG(COUNT(*))` for the hour?
Imagine this query's results would be handed to a [PHB](http://en.wikipedia.org/wiki/Pointy-Haired_Boss) who wants to know what the .
-
| TSQL: Cannot perform an aggregate function AVG on COUNT(*) to find busiest hours of day | CC BY-SA 2.5 | 0 | 2009-11-13T18:44:54.040 | 2010-02-25T18:44:42.413 | 2010-02-25T18:44:42.413 | 135,152 | 23,199 | [
"sql",
"sql-server",
"sql-server-2005",
"tsql",
"aggregate-functions"
] |
1,733,948 | 1 | 1,733,955 | null | 2 | 1,315 | This type of UIs are frequently displayed in various web-Sites and .net books.

Are these types of User-Interfaces and/or in and/or Business Software?
Please note
(1) the use of Binding Navigator, and
(2) the placement of Master-grid, Detail-grid and Input Area in the same form.
To me a search facility is always needed no matter how trivial the UI is, which is not available here. And of course I don't find any relevance of using a Binding Navigator in .
| Master-Detail GUI in .net | CC BY-SA 2.5 | null | 2009-11-14T11:00:13.217 | 2009-11-14T14:45:00.530 | 2017-02-08T14:17:16.427 | -1 | 159,072 | [
"winforms",
"user-interface",
"ui-design"
] |
1,734,914 | 1 | 1,735,265 | null | 2 | 8,188 | I want to create a button with the stock "Remove" icon on it, but without the text "Remove". If I use `Button button = new Button(Stock.Remove);`, I get the opposite: just the text, and no icon. I will have many of these buttons, and the text makes it look cluttered. How do I get just the icon?
Note: these are regular buttons, not toolbar buttons.
Edit:
This is how it currently looks:

I want to replace these buttons with small, unobtrusive, icon-only buttons.
| In Gtk, how do I make a Button with just a stock icon? | CC BY-SA 2.5 | null | 2009-11-14T17:20:58.500 | 2009-11-16T11:37:48.563 | 2009-11-14T18:53:26.207 | 105,084 | 105,084 | [
"c#",
"gtk",
"gtk#"
] |
1,735,791 | 1 | 1,735,839 | null | 2 | 6,147 | I have data like following table

I want to remove Titles ( Mr. Miss, Dr etc) from name and want to split data into First name and last name if two names exists.
I want this in select statement. I can remove title using CASE statement but unable to split name into tow in same case statement.
I want data like this but in select statement, title removed and name splitted.

| Remove and split data into multiple columns in select statement | CC BY-SA 3.0 | 0 | 2009-11-14T22:19:52.373 | 2015-06-21T01:13:30.603 | 2015-06-21T01:13:30.603 | 1,159,643 | 77,674 | [
"sql",
"sql-server",
"tsql"
] |
1,736,530 | 1 | 4,269,855 | null | 20 | 14,229 | That's not a secret: Silverlight's `DataGrid` default style is beautiful while WPF's is poor.
Instead of reinventing the wheel let me ask the community if anyone has copied the SL styles to use in WPF.
Please take a look at the screenshots and judge for yourself how the Silverlight and WPF teams invest in their products.
Silverlight default-style DataGrid:

WPF default-style DataGrid (updated after Saied K's answer):

| WPF DataGrid style-Silverlight DataGrid? | CC BY-SA 3.0 | 0 | 2009-11-15T04:07:02.420 | 2013-04-02T05:00:21.760 | 2013-04-02T05:00:03.960 | 305,637 | 75,500 | [
"wpf",
"silverlight",
"datagrid",
"styling",
"wpftoolkit"
] |
1,736,922 | 1 | 1,736,973 | null | 29 | 45,713 | First of all,check out this image

Gmail uses this image to display the animated emoticon.
How can we show such animation using a png image?
| How to show animated image from PNG image using javascript? [ like gmail ] | CC BY-SA 3.0 | 0 | 2009-11-15T07:51:34.363 | 2018-07-25T17:01:45.613 | 2017-02-08T14:17:17.483 | -1 | 94,813 | [
"javascript",
"image",
"animation",
"png"
] |
1,737,891 | 1 | null | null | 1 | 6,223 | I creating gallery, and I want to create frame around the picture.
But this picture must be scalable. Width and height of this frame generated by width and height of image.
And must to have possibility to change height of frame through the JavaScript.

Thanks.
PS: First of all, I must to have possibility to make frame narrow through the JavaScript.
| Generate frame for picture | CC BY-SA 3.0 | 0 | 2009-11-15T15:48:00.480 | 2015-06-21T01:15:56.627 | 2015-06-21T01:09:50.973 | 1,159,643 | 190,127 | [
"javascript",
"html",
"css",
"frame",
"image"
] |
1,741,806 | 1 | null | null | 0 | 394 | with my Repository classes, I use `LinqToSql` to retrieve the data from the repository (eg. Sql Server 2008, in my example). I place the result data into a `POCO` object. Works great :)
Now, if my `POCO` object has a child property, (which is another `POCO` object or an IList), i'm trying to figure out a way to populate that data. I'm just not too sure how to do this.
Here's some sample code i have. Please note the last property I'm setting. It compiles, but it's not 'right'. It's not the POCO object instance .. and i'm not sure how to code that last line.
```
public IQueryable<GameFile> GetGameFiles(bool includeUserIdAccess)
{
return (from q in Database.Files
select new Core.GameFile
{
CheckedOn = q.CheckedOn.Value,
FileName = q.FileName,
GameFileId = q.FileId,
GameType = (Core.GameType)q.GameTypeId,
IsActive = q.IsActive,
LastFilePosition = q.LastFilePosition.Value,
UniqueName = q.UniqueName,
UpdatedOn = q.UpdatedOn.Value,
// Now any children....
// NOTE: I wish to create a POCO object
// that has an int UserId _and_ a string Name.
UserAccess = includeUserIdAccess ?
q.FileUserAccesses.Select(x => x.UserId).ToList() : null
});
}
```
Notes:
- -
### Update
I've now got a suggestion to extract the children results into their respective `POCO` classes, but this is what the `Visual Studio Debugger` is saying the class is :-

Why is it a `System.Data.Linq.SqlClient.Implementation.ObjectMaterializer<..>`
`.Convert<Core.GameFile>` and not a `List<Core.GameFile>` containing the `POCO's`?
Any suggestions what that is / what I've done wrong?
### Update 2:
this is what i've done to extract the children data into their respective poco's..
```
// Now any children....
UserIdAccess = includeUserIdAccess ?
(from x in q.FileUserAccesses
select x.UserId).ToList() : null,
LogEntries = includeUserIdAccess ?
(from x in q.LogEntries
select new Core.LogEntry
{
ClientGuid = x.ClientGuid,
ClientIpAndPort = x.ClientIpAndPort,
// ... snip other properties
Violation = x.Violation
}).ToList() : null
```
| How do I extract this LinqToSql data into a POCO object? | CC BY-SA 3.0 | null | 2009-11-16T12:12:22.490 | 2015-06-21T01:09:04.383 | 2020-06-20T09:12:55.060 | -1 | 30,674 | [
"c#",
".net",
"linq-to-sql",
"poco"
] |
1,743,331 | 1 | 1,748,752 | null | 1 | 1,162 | I need a functionality to have optional columns in a LINQ to SQL definition. So that LINQ to SQL normally ignores this column within selects and updates etc.
But if a select contains a value for this column it should use this value.
Long version:
## The Scenario
I've the following tables:

If Field.FieldViews.Count() greater than 0 than should this field be visible.
### The Problem
If I check the visibility as mentioned above with:
```
Field.FieldViews.Count()
```
Than it makes a single query to the database for every field.
So in my project sometimes up to 1000x
## My Solution
I wrote a stored procedure:
```
SELECT
f.*,
(SELECT COUNT(*) FROM [fieldViews] v WHERE v.fieldId = f.fieldId) AS Visible
FROM [fields] f
WHERE
f.X BETWEEN @xFrom AND @xTo AND
f.Y BETWEEN @yFrom AND @yTo
```
To use this additional column I added the following code:
```
public partial class Field
{
private bool visible = false;
[Column(Storage = "Visible", DbType = "INT")]
public bool Visible
{
get
{
return visible;
}
set
{
visible = value;
}
}
}
```
But ...
### The Problem
If I fetch entries from Fields table without the stored procedure:
```
from d in DataContext.Fields select d;
```
I got the following error:
> `Bad Storage property: 'Visible' on member 'Models.Field.Visible'.`
So I added the column "Visible" to the database table:
```
ALTER TABLE dbo.Fields ADD
Visible int NOT NULL CONSTRAINT DF_Fields_Visible DEFAULT 0
```
But …
### Next problem
I have fetched some Field objects using the stored procedure.
Now I make some changes to some of these objects.
If I now try to submit these changes it doesn't work. Looking at the generated query unveils the reason:
```
UPDATE [dbo].[Fields]
SET [X] = @p3
WHERE ([FieldId] = @p0) AND ([X] = @p1) AND ([Y] = @p2) AND ([Visible] = 3)
```
The problem here is, that it uses the "Visible" column in the where statement. But the "Visible" column is always 0.
Visible is only greater than 0 if I fetch data using the stored procedure...
## What I need
Something like the ColumnAttribute where the column is not required
or
a way to remove a column from the where statement when updating.
| LINQ to SQL optional Column | CC BY-SA 3.0 | null | 2009-11-16T16:39:42.230 | 2015-06-21T00:41:04.017 | 2020-06-20T09:12:55.060 | -1 | 141,031 | [
"c#",
"performance",
"linq-to-sql",
"stored-procedures"
] |
1,744,348 | 1 | 1,746,130 | null | 2 | 4,511 | I'm working a small qt app (using PyQt4) and I've come up with an idea but I'm unsure as to how to implement it. I have a QTableView that represents some data and I'd like to add another column to the QTableView that contains a checkbox control that could be wired up to some piece of the model. For example, something like this:

Note the Delete column has a checkbox widget for each row (although this is a web app, not a desktop Qt app, the principal is the same). Bonus points if I can select multiple rows, right click, and choose "Check/Uncheck Selected".
If any of this is unclear, drop a comment here and I'll clarify.
| Embedding a control in a QTableView? | CC BY-SA 2.5 | 0 | 2009-11-16T19:34:53.733 | 2017-01-18T20:00:10.417 | 2017-02-08T14:17:20.020 | -1 | 85 | [
"python",
"qt",
"pyqt4",
"tableview"
] |
1,744,379 | 1 | 1,749,822 | null | 2 | 2,046 | I'm using SketchFlow for the first time, and am confused as to why my text isn't showing up in the "Buxton Sketch" font it's supposed to (see image). I just did a repair installation, and it didn't make a difference. In the Text properties, I don't see "Buxton Sketch" as an option, either. I'd appreciate any help.
Everything looks fine in the SketchFlow player (when I hit F5), but not in the designer.

Compared to this:
[Proper "wiggly" font http://www.lorenheiny.com/wp-content/uploads/sketchflowwigglystyles.png](http://www.lorenheiny.com/wp-content/uploads/sketchflowwigglystyles.png)
| SketchFlow prototyping font not displaying | CC BY-SA 2.5 | 0 | 2009-11-16T19:40:28.887 | 2019-05-09T10:04:01.947 | 2017-02-08T14:17:20.353 | -1 | 105,717 | [
"silverlight-3.0",
"prototype",
"expression-blend",
"prototyping",
"sketchflow"
] |
1,748,542 | 1 | 1,749,592 | null | 0 | 2,980 | Right, what I have is:
```
<Window x:Class="WpfGettingThingsDone.View.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
AllowsTransparency="True"
Background="Transparent"
WindowStyle="None"
Title="{Binding Title}" Height="300" Width="300">
<Window.Resources>
<ResourceDictionary>
<Style x:Key="WindowBorderBackground" TargetType="{x:Type Border}">
<Setter Property="Background">
<Setter.Value>
<LinearGradientBrush StartPoint="0,1" EndPoint="1,0">
<GradientStop Color="#FF222222" Offset="0" />
<GradientStop Color="#FF222222" Offset="0.2" />
<GradientStop Color="#FFAAAAAA" Offset="0.6" />
<GradientStop Color="#FF222222" Offset="0.7" />
<GradientStop Color="#FFAAAAAA" Offset="0.9" />
<GradientStop Color="#FF222222" Offset="1" />
</LinearGradientBrush>
</Setter.Value>
</Setter>
</Style>
<Style x:Key="WindowHeaderedContent" TargetType="{x:Type HeaderedContentControl}">
<Setter Property="HeaderTemplate">
<Setter.Value>
<DataTemplate>
<Border
Background="Black"
BorderBrush="Black"
BorderThickness="1"
CornerRadius="5,5,0,0"
Padding="4"
SnapsToDevicePixels="True"
>
<DockPanel>
<Button DockPanel.Dock="Right" Command="{Binding Path=CloseCommand}">X</Button>
<TextBlock
FontSize="14"
FontWeight="Bold"
Foreground="White"
HorizontalAlignment="Center"
Text="{TemplateBinding Content}" />
</DockPanel>
</Border>
</DataTemplate>
</Setter.Value>
</Setter>
</Style>
</ResourceDictionary>
</Window.Resources>
<Border CornerRadius="5" Style="{StaticResource WindowBorderBackground}">
<HeaderedContentControl Header="Current Contexts"
Style="{StaticResource WindowHeaderedContent}"
>
</HeaderedContentControl>
</Border>
</Window>
```
Basically draws a window with a pretty gradient background, using a HeaderedContentControl to create the title bar, which uses a HeaderTemplate to put the x button there.
Like so:

However, as you can see, I've tried binding the command of the X (close) button to the CloseCommand in my ViewModel. Assuming my ViewModel is correct and that my lack of understanding of the WPF databinding stuff is the problem, what am I doing wrong? Can it not be done the way I'm trying?
(Note: For the purposes of this question I merged all resources in use by the window into the windows resource dictionary.)
Since Sam suggested my DataContext for my window isn't set, I'll clarify that it is set, but done in the code behind for App.Xaml when it creates the MainWindow.
```
/// <summary>
/// Interaction logic for App.xaml
/// </summary>
public partial class App : Application
{
protected override void OnStartup(StartupEventArgs e)
{
base.OnStartup(e);
MainWindow mainWindow = new MainWindow();
var viewModel = new MainWindowViewModel();
viewModel.RequestClose += (s, ev) => mainWindow.Close();
mainWindow.DataContext = viewModel;
mainWindow.Show();
}
}
```
| How can I bind a command of a control in template to my ViewModel | CC BY-SA 3.0 | 0 | 2009-11-17T12:29:05.140 | 2015-06-21T00:55:29.267 | 2015-06-21T00:55:29.267 | 1,159,643 | 1,610 | [
"c#",
"wpf",
"data-binding",
"command"
] |
1,750,632 | 1 | 1,750,701 | null | 1 | 2,844 | The compile error badges have stopped showing up on my source files but still display at the project level (see screen shot below). They used to show up for me, but since this morning, they've stopped displaying as they usually do. The exact compile error still shows in the Problems view, but there is no quick way to determine at a glance from the Package Explorer view.
I've looked through the Key Binding preferences trying to find a key binding that might toggle the display of the badges, but didn't see anything. Likewise, the Java file type badging preferences don't seem have have anything relevant either.
Anyone have an idea where the preference for showing/hiding the compile error badge might be located at?

| Eclipse no longer displays compile error badges | CC BY-SA 3.0 | null | 2009-11-17T17:54:17.727 | 2015-06-21T01:10:11.450 | 2015-06-21T01:10:11.450 | 1,159,643 | 131,907 | [
"java",
"eclipse"
] |
1,750,744 | 1 | 1,750,988 | null | 0 | 723 |
## Happy Tuesday everyone :)
I noticed I was using the same fonts over again in several of my Sub Classes, so I figured I'd just make a to handle all those.
Anyways I'm scratching my head around how to get those TextFormats created in my into my other Classes cleanly. I don't believe I'm doing this the correct way, but currently I'm getting this error msg:
I want to pass the avant97 TextFormat into my Frame Class to style the Footer text
## Below is my Fonts Class.
```
package src.model
{
import flash.text.*;
public class Fonts
{
public static var data:Object = {};
public static var avant97 = new TextFormat(); // Footer copy
public static var avantFF = new TextFormat(); // Navigation Copy
public static var avant0s = new TextFormat(); // Thumbnail Titles
avant97.font = (new AvantGrande() as Font).fontName;
avant97.size = 16;
avant97.color = 0x979797;
avant97.align = TextFormatAlign.CENTER;
avantFF.font = (new AvantGrande() as Font).fontName;
avantFF.size = 16;
avantFF.color = 0xFFFFFF;
avantFF.align = TextFormatAlign.CENTER;
avant00.font = (new AvantGrande() as Font).fontName;
avant00.size = 16;
avant00.bold = true;
avant00.color = 0x000000;
avant00.align = TextFormatAlign.LEFT;
}
}
```

---
## Here is my Frame class where I'm trying to attach avant97 to a TextField:
```
package src.display{
import flash.text.*;
import flash.display.*;
import flash.geom.Matrix;
import flash.events.Event;
// ☼ --- Imported Classes
import src.events.CustomEvent;
import src.model.Fonts;
public class Frame extends Sprite {
private var footer:Sprite = new Sprite();
private var fnt:Fonts; // <- var for Fonts Class
private var footFont:TextFormat; // var to hold avant97
// ☼ --- Constructor
public function Frame():void {
this.addEventListener(Event.ADDED_TO_STAGE, init);
}
// ☼ --- Init
public function init():void {
fnt = new Fonts(); // init the Fonts class
//fnt.data.avant97 = footFont; // trying to get avant97
Fonts.data.avant97 = footFont; // Changed per 1st answer
trace("footFont = "+footFont); // Fail
footer.graphics.beginFill(0x000);
footer.graphics.drawRect(0,0,800,56);
footer.graphics.endFill();
footer.y = stage.stageHeight - footer.height;
var footText:TextField = new TextField();
footText.defaultTextFormat = footFont; // Fail x 2!
footText.antiAliasType = flash.text.AntiAliasType.NORMAL;
footText.selectable = false;
footText.mouseEnabled = false;
footText.wordWrap = true;
footText.width = 800;
footText.height = 30;
footText.text = footCopy;
// ☼ --- Place Footer & Copy
footer.addChild(footText);
addChild(footer);
trace("Frame added --- √"+"\r");
this.removeEventListener(Event.ADDED_TO_STAGE, init);
}
}
```
}
Basically I got the [idea for the static var data object from here][2]
But maybe his example only works for actual data? Not TextFormats?
| Trying to pass TextFormat into other Classes, getting error | CC BY-SA 2.5 | null | 2009-11-17T18:15:25.800 | 2013-02-08T12:40:00.350 | 2017-02-08T14:17:22.500 | -1 | 168,738 | [
"actionscript-3",
"flash",
"text",
"textfield",
"text-formatting"
] |
1,751,434 | 1 | 1,751,459 | null | 1 | 447 | Ok, I know this is probably a pretty newb question, but when it comes to graphics programming, I a newb :)
See below for an example with the SO logo.
Also, how could I reproduce this effect in C#/VB.NET? (preferably WinForms as I don't really know WPF yet.)
I also noticed that the origin of the "fade" is based on the cursor position within the image (go ahead, try it now, you'll see what I mean!)
I suppose I could delve into the source [over at MDC](https://developer.mozilla.org/en/download_mozilla_source_code), but I thought someone here might already be familiar with this technique.

| How can I reproduce the Firefox faded image/text dragging effect in .NET? | CC BY-SA 2.5 | 0 | 2009-11-17T20:11:52.800 | 2009-11-17T20:21:49.570 | 2017-02-08T14:17:23.523 | -1 | 13,791 | [
".net",
"firefox",
"drag-and-drop"
] |
1,755,591 | 1 | 1,756,398 | null | 17 | 8,107 | I'm trying to create a django database that records all my comic purchases, and I've hit a few problems. I'm trying to model the relationship between a comic issue and the artists that work on it.
A comic issue has one or more artists working on the issue, and an artist will work on more than a single issue. In addition, the artist has a role relating to what they did on the comic – creator (all the work on that issue), writer (wrote the script), drawer (drew the complete comic), pencils, inks, colours or text, and there may be several artists in a given role.
This gives me a database model like: 
I then translate this into the following Django model.
As I require additional data on the relationship, I believe I have to use a separate class to handle the relationship, and hold the additional
```
class Artist(models.Model):
name = models.CharField(max_length = 100)
def __unicode__(self):
return self.name
class ComicIssue(models.Model):
issue_number = models.IntegerField()
title = models.TextField()
artists = models.ManyToManyField(Artist, through='IssueArtist')
def __unicode__(self):
return u'issue = %s, %s' % (self.issue_number, self.title)
class IssueArtist(models.Model):
roles = ( (0, "--------"),
(1, "Creator"),
(2, "Writer"),
(3, "Drawer"),
(4, "Pencils"),
(5, "Inks"),
(6, "Colours"),
(7, "Text"),
)
artist = models.ForeignKey(Artist)
issue = models.ForeignKey(ComicIssue)
role = models.IntegerField(choices = roles)
```
My questions are:
1) Does this seem a correct way of modelling this?
2) If I don't use the `through='IssueArtist'` feature, I can add relationships by using the `artists.add()` function. If I do use this, I get an error `'ManyRelatedManager' object has no attribute 'add'`. Do I have to manually manage the relationship by creating `IssueArtist()` instances, and explicitly searching the relationship table?
NB. I am using Django 1.0, at the moment
| Many to many relationships with additional data on the relationship | CC BY-SA 2.5 | 0 | 2009-11-18T12:16:52.863 | 2015-10-19T21:21:02.383 | 2017-02-08T14:17:25.247 | -1 | 7,055 | [
"django",
"django-models"
] |
1,755,891 | 1 | null | null | 1 | 1,723 | As I stated in title to this question - I have an WPF Grid based layout with two header rows and few empty ones. Grid has about 100 columns.
I am trying to achieve the situation, in which I will be able to highlight the cell of empty row, when mouse is over it (and fire an event, when user will click this cell).
I sketched my concept:

When the cursor is over the cell in the second row and third column, I would like to change the border of this cell and knowing the row and column number - change to borders of few other cells.
Thanks for any help.
| WPF: Grid layout - how can I get row and column of element with MouseMove or similar events, when cursor is over empty cell? | CC BY-SA 2.5 | null | 2009-11-18T13:16:20.177 | 2009-11-18T14:24:49.523 | null | null | 126,781 | [
"c#",
"wpf",
"events",
"layout",
"grid"
] |
1,758,214 | 1 | 1,758,304 | null | 15 | 8,102 | Consider this typical disconnected scenario:
- - -
Consider this LINQ To SQL query whose intention is to take a Customer entity.
```
Cust custOrig = db.Custs.SingleOrDefault(o => o.ID == c.ID); //get the original
db.Custs.Attach(c, custOrig); //we don't have a TimeStamp=True property
db.SubmitChanges();
```
> `DuplicateKeyException: Cannot add an entity with a key that is already in use.`

- -
- -
| LINQ To SQL exception with Attach(): Cannot add an entity with a key that is already in use | CC BY-SA 3.0 | 0 | 2009-11-18T18:52:20.757 | 2017-08-05T10:32:54.920 | 2017-08-05T10:32:54.920 | 1,033,581 | 23,199 | [
"c#",
"linq-to-sql",
"concurrency",
"datacontext"
] |
1,758,429 | 1 | 1,758,709 | null | 5 | 3,940 | My application connects to the network to retrieve some data and I'd like to show a progress bar in the toolbar of the UINavigationController of my application.
What I actually want is very similar to the Mail application:

Except I would like to have nothing to the left of the progress bar, and a cancel button on the right.
I've fiddled around with code, trying to do this, but I've never worked with the toolbar of a nav controller before, so I'm unsure of where to start.
I've read over the [Human Interface Guide](http://developer.apple.com/iphone/library/DOCUMENTATION/UserExperience/Conceptual/MobileHIG/ApplicationControls/ApplicationControls.html#//apple_ref/doc/uid/TP40006556-CH13-SW7), the [UINavigationController class reference](http://developer.apple.com/iphone/library/documentation/UIKit/Reference/UINavigationController_Class/Reference/Reference.html#//apple_ref/doc/uid/TP40006934-CH3-SW30), and the [View Controller Programming Guide](http://developer.apple.com/iphone/library/featuredarticles/ViewControllerPGforiPhoneOS/NavigationControllers/NavigationControllers.html#//apple_ref/doc/uid/TP40007457-CH103-SW4), but they only show how to do very basic toolbar layouts, with simple buttons and segmented controls.
| How can I put a progress bar in a UINavigationController's toolbar like the Mail app? | CC BY-SA 3.0 | 0 | 2009-11-18T19:26:05.480 | 2011-10-31T19:01:25.893 | 2011-10-31T19:01:25.893 | 4,160 | 68,507 | [
"iphone",
"user-interface",
"uinavigationcontroller",
"toolbar"
] |
1,758,484 | 1 | 1,758,551 | null | 11 | 31,389 | I'm creating a website for my schools "Math Relay" competition.
I have a "Container" div (with a white background), then a top-bar, left-bar, and right-bar div inside the container.
left-bar and right-bar are both floated inside "Container".
However, if you look in the image below you can see the right-bar has the grey background showing beneath it. If "Container" is truly containing both top, left and right bar then it should be the containers background which shows through and the bottom should all be at a uniform level with a white color.
Instead, it seems that container isn't fully containing the left & right bar and therefore the actual body background shows through on the bottom of the right bar.

Here is my CSS:
```
#container {
margin: 0 auto;
width: 750px;
background-color: #ffffff; }
#top-panel {
background-color: #000000;
text-align: left;
width: 100%;
height: 88px;
float: left; }
#left-panel {
clear: left;
text-align: center;
background-color: #ffffff;
border-right: 1px dashed #000000;
float: left;
width: 250; }
#right-panel {
background-color: #ffffff;
float: left;
width: 499; }
```
How can I make the "container" truly contain the divs inside it so the grey background will not show up underneath my right-panel and create my uneven level at the bottom?
| Why is my "container" div not containing my floated elements? | CC BY-SA 4.0 | 0 | 2009-11-18T19:34:33.310 | 2018-06-15T03:55:58.193 | 2018-06-15T03:55:58.193 | 8,753,295 | 64,878 | [
"html",
"css",
"layout"
] |
1,758,963 | 1 | 1,758,994 | null | 1 | 1,540 | Strangly enough, my website is rendering fine in Internet Explorer but fails in Mozilla based browsers.
Here is a screenshot:

Does anyone see why "right-panel" does not go all the way to the right? You can see how it is not lined up with the right edge of "top-panel":
```
#container
{
margin: 0 auto;
width: 750px;
background-color: #ffffff;
}
#top-panel
{
padding-left: 10px;
background-color: #000000;
text-align: left;
width: 100%;
height: 88px;
}
#left-panel
{
padding-top: 10px;
text-align: center;
background-color: #ffffff;
border-right: 1px dashed #000000;
float: left;
width: 250px;
}
#right-panel
{
background-color: #ffffff;
float: right;
width: 449px;
}
.clear
{
clear:both;
line-height:0;
}
```
If anyone wants to see the actual site it is: [Math Relay](http://www.math-cs.ucmo.edu/~MDM60250/mathrelay/)
| Why is this div column not going all the way to the right? | CC BY-SA 2.5 | null | 2009-11-18T20:47:31.857 | 2009-11-18T21:31:36.900 | null | null | 64,878 | [
"html",
"css"
] |
1,759,651 | 1 | 1,761,681 | null | 14 | 5,098 | I'd like to create statusbar with text effect like in Safari or iTunes, i.e. recessed text.

However, if I simply add shadow in Interface Builder using Core Animation panel, OS X's worst text rendering kicks in:

What's the trick to get recessed text on a label keep proper subpixel rendering?
| Add shadow (recessed text effect) to Cocoa label without degrading text rendering quality | CC BY-SA 2.5 | 0 | 2009-11-18T22:35:53.123 | 2009-11-19T08:08:17.673 | null | null | 27,009 | [
"cocoa",
"antialiasing",
"shadow",
"nstextfield"
] |
1,760,260 | 1 | 1,760,537 | null | 1 | 131 | This could turn out to be the dumbest question ever.
I want to track groups and group members via SQL.
Let's say I have 3 groups and 6 people.
I could have a table such as:

Then if I wanted to have find which personIDs are in groupID 1, I would just do
```
select * from Table where GroupID=1
```
(Everyone knows that)
My problem is I have millions of rows added to this table and I would like it to do some sort of presorting about GroupID to make lookups as fast as possible.
I'm thinking of a scenario where it would have nested tables, where each sub table would contain a groupID's members. (Illustrated below)

This way when I wanted to select each GroupMembers, the structure in SQL would already be nested and not as to expensive look up as would trolling through rows.
Does such a structure exist, in essence, a table that would pivot around the groupID ? Is indexing the table about groupID the best/only option?
| Is there a SQL Server 2008 method to group rows in a table so as to behave as a nested table? | CC BY-SA 2.5 | null | 2009-11-19T01:03:42.747 | 2009-11-19T06:20:05.087 | 2009-11-19T06:20:05.087 | 13,302 | 127,257 | [
"sql-server",
"sql-server-2008",
"nested"
] |
1,762,090 | 1 | 1,763,705 | null | 21 | 48,291 | 
## Uploading a Magento install
I have spent a long time building a store with Magento on my local development PC.
Now that I am happy with the result, I would like to upload it to my live production server.
What steps must I complete to ensure this move is as easy as possible?
| How do I transfer a local Magento install onto my live server? | CC BY-SA 2.5 | 0 | 2009-11-19T09:47:17.280 | 2022-06-30T06:43:24.777 | null | null | 42,106 | [
"deployment",
"magento"
] |
1,762,565 | 1 | 1,763,824 | null | 10 | 8,384 | I have this image:

I want to read it to a string using python, which I didn't think would be that hard. I came upon tesseract, and then a wrapper for python scripts using tesseract.
So I started reading images, and it's done great until I tried to read this one. Am i going to have to train it to read that specific font? Any ideas on what that specific font is? Or is there a better ocr engine I could use with python to get this job done.
Edit: Perhaps I could make some sort of vector around the numbers, then redraw them in a larger size? The larger images are the better tesseract ocr seems to read them (no surprise lol).
| Python Tesseract can't recognize this font | CC BY-SA 4.0 | null | 2009-11-19T11:09:34.693 | 2019-06-04T07:03:08.610 | 2019-06-04T07:03:08.610 | 6,352,333 | 200,916 | [
"python",
"image-processing",
"image-manipulation",
"ocr",
"tesseract"
] |
1,765,480 | 1 | 1,765,494 | null | 0 | 70 | I have no idea how he did it but on my dad's laptop, which is running Vista, there is a window at the top; you can only drag it down but not remove, minimize or maximize it as those options do not appear. I restarted but it's still there.
Here's a screenshot of what I mean:

How do I remove it? It used to be my laptop but I've never seen that when I used it.
| Vista window appears at the top and cannot be deleted | CC BY-SA 2.5 | null | 2009-11-19T18:24:17.877 | 2009-11-19T22:54:06.520 | 2017-02-08T14:17:26.973 | -1 | 173,234 | [
"windows-vista"
] |
1,765,784 | 1 | 1,766,080 | null | 0 | 665 | 
Please have a look at the above screen shot, I would want to center an image with black background, but i'm getting some white space at the bottom. Please could any one help me to fix this.
CSS
```
.bgimg {
background: url('../images/GBS-Chronicle-Background-1.png') black no-repeat center;
}
div#cont {
height: 672px;
}
```
HTML
```
<body class="bgimg">
<div id="doc2">
<div id="hd"></div>
<div id="bd">
<div id="cont">
<div class="middle">
<p> hi hello </p>
</div>
</div>
</div>
<div id="fd"></div>
</div>
```
| Center an background image | CC BY-SA 3.0 | 0 | 2009-11-19T19:11:13.783 | 2013-04-18T09:27:35.233 | 2013-04-18T09:27:35.233 | 664,177 | 197,937 | [
"html",
"css",
"background-image"
] |
1,766,091 | 1 | 1,766,262 | null | 1 | 1,747 | 
Hi all !
I want to create a small round static percent indicator in CSS but I can't find the solution.
The squared indicator at left is ok, but so ugly, I want it round !
I have tried with rounded corner (cf indicators at the right of the screenshot), and I wonder if there is possibility to add a rounded mask to hide the corners (cf. css3 mask : [http://webkit.org/blog/181/css-masks/](http://webkit.org/blog/181/css-masks/)), but it seems like it's only for img...
The solution can works only on webkit browsers, because it's for a mobile webapp.
Here is my code to create the (ugly) indicator in the image above :
```
<div class="meter-wrap">
<div class="meter-value" style="background-color: #489d41; width: 70%;">
<div class="meter-text"> 70 % </div>
</div>
</div>
```
And the css :
```
.meter-wrap{
position: relative;
}
.meter-value {
background-color: #489d41;
}
.meter-wrap, .meter-value, .meter-text {
width: 30px; height: 30px;
/* Attempt to round the corner : (indicators at the right of the screenshot)
-webkit-border-radius : 15px;*/
}
.meter-wrap, .meter-value {
background: #bdbdbd top left no-repeat;
}
.meter-text {
position: absolute;
top:0; left:0;
padding-top: 2px;
color: #000;
text-align: center;
width: 100%;
font-size: 40%;
text-shadow: #fffeff 1px 1px 0;
}
```
| Display a round percent indicator with CSS only | CC BY-SA 4.0 | 0 | 2009-11-19T19:54:39.020 | 2022-05-02T21:17:46.903 | 2022-05-02T21:17:46.903 | 104,383 | 193,181 | [
"html",
"safari",
"css",
"mobile-safari"
] |
1,767,036 | 1 | 1,767,245 | null | 0 | 98 | When i view an flv file inside a swf file it looks fine locally, but when its uploaded text loses it shape. The bitrate for the flv is 1,500+ kbps. Ive attached a picture. The one on the left is local, and the one on the right is over the web. Anyone know what might be happening?

| flv file loses quality when uploaded to server | CC BY-SA 2.5 | null | 2009-11-19T22:29:14.130 | 2009-11-20T01:14:46.910 | 2017-02-08T14:17:28.083 | -1 | 443,793 | [
"flash-cs4",
"flv"
] |
1,767,952 | 1 | 1,774,992 | null | 0 | 217 | Suppose you have several functions y1 = f1(x), y2 = f2(x), etc. and you want to plot their graphs together on one plot.
Imagine now that for some reason it is easier to obtain the set of x for a given y; as in, there exists an oracle which given a y, will return all the x1, x2, etc. in increasing order for which y = f1(x1), y = f2(x2), etc.. In essence, it computes the inverse functions given a y. Suppose you uniformly sample in y, so you have a list of lists of x's. If you plot this data treating all the first x in each sublist as a function of y, and all the second x's in each sublist as a different function of y, etc., you obtain a plot like below.

In the above plot, the horizontal axis is y, and the vertical axis is x.
Note that the navy blue "curve" is the set of smallest x as a function of y (the set of points you would see looking up from underneath the plot), while the magenta curve is the set of second smallest x, etc. Obviously, the far left navy blue and magenta curves belong to a single function and should be connected. As you move towards the right, there are ambiguities and cross-overs. In those cases, it doesn't matter how the curves of the functions are connected, as long as it "looks" reasonable (there is a proper way, but I'll settle for this for now).
Now, the algorithm output should be samples of y as a function of x for each function, which when you plot it would look like:

(Apologies for the poor Paint edit job :)
I was thinking I proceed going one column at a time in the first pic and trying to match adjacent values based on slopes and how close they are to each other, but I'm not sure if there is a better way. Also, if this is a solved or documented problem, then I have no idea what to Google for, so any pointers would be helpful.
The actual application is in the computation of band structures of crystals, for anyone who is curious. The functions are the bands of the crystal, with the horizontal axis of the first plot being frequency, and the vertical axis is the k-vector. It turns out solving an eigenvalue problem for each frequency to get the eigenvalues (the k's) is easier in this case. It is fairly common to need to "prettify" and connect the resulting band structure plots, and I was wondering if there is an algorithmic way of doing it instead of having to do it by hand.
| Algorithm to swap independent and dependent variables of function samples | CC BY-SA 2.5 | null | 2009-11-20T02:30:56.117 | 2009-11-21T09:10:19.263 | 2009-11-20T02:36:15.310 | 171,187 | 171,187 | [
"algorithm",
"math"
] |
1,768,978 | 1 | 1,775,610 | null | 0 | 665 | 
Unfortunately, when is turned on my messages fail to appear and only the cached version of the page is returned.
In one instance a version of a page with a message was cached, meaning that the message was displayed to everyone.
| Symfony cache is breaking my flash messages | CC BY-SA 2.5 | 0 | 2009-11-20T07:58:36.640 | 2009-11-21T14:23:54.600 | null | null | 42,106 | [
"caching",
"symfony1",
"filter"
] |
1,770,791 | 1 | 1,800,088 | null | 1 | 4,788 | Using standalone SWT Scrollbars is something of a hack (using [this workaround](https://stackoverflow.com/questions/1675514/swt-standalone-scrollbar-widget)), but it can be done. Here's a snippet:
```
ScrolledComposite scrolledComposite = new ScrolledComposite(
parent, SWT.V_SCROLL);
ScrollBar scrollbar = scrolledComposite.getVerticalBar();
Shell tip = new Shell(UserInterface.getShell(), SWT.ON_TOP
| SWT.NO_FOCUS | SWT.TOOL);
// ..stylize and fill the tooltip..
```
Now what I'm trying to do is monitor when the user is interacting with the scrollbar. In particular, I want to know when the user is dragging the scrollbar—and when it has been released—in order to display an Office 2007-style tooltip revealing which page the position of the scrollbar corresponds with.

Presently, I have the following code which displays the tooltip:
```
scrollbar.addSelectionListener(new SelectionListener() {
public void widgetDefaultSelected(SelectionEvent event) {}
public void widgetSelected(SelectionEvent event) {
tip.setVisible(true);
}
}
```
It would seem logical then to have the tooltip disappear when the mouse button is released:
```
scrollbar.addListener(SWT.MouseUp, new Listener() {
public void handleEvent(Event event) {
tip.setVisible(false);
}
});
```
However, neither `scrollbar` nor `scrolledComposite` seem to respond to the `SWT.MouseUp` event when the user interacts with the scrollbar.
I presently have a workaround that hides the tip after a timeout, but I'm not satisfied with this. Any insights would be most appreciated!
| Mouse events on an SWT Scrollbar | CC BY-SA 3.0 | 0 | 2009-11-20T14:30:43.697 | 2015-06-21T01:09:11.940 | 2017-05-23T12:13:37.003 | -1 | 154,306 | [
"java",
"swt",
"scrollbar",
"mouseevent"
] |
1,772,238 | 1 | 1,772,348 | null | 2 | 2,397 | I am using 32bit PNG files with transparency. I added them to an image list with properties:
```
ColorDepth: Depth32Bit
TransparentColor: Transparent
```
When I assign the image to my toolbar button, it previews in Visual Studio fine with the correct transparency. But when I run the application the transparency is all messed up with black covering the semi-transparent regions.
How do I fix this?


| ImageList Transparency not working at runtime | CC BY-SA 2.5 | null | 2009-11-20T17:55:49.767 | 2009-11-20T18:26:11.210 | 2017-02-08T14:17:29.443 | -1 | 3,800 | [
"c#-2.0",
"imagelist"
] |
1,773,676 | 1 | 1,782,825 | null | 2 | 2,329 |
How can I take two 3D points and lock them to a single axis? For instance, so that both their z-axes are 0.
I have a set of 3D coordinates in a scene, representing a a box with a pyramid on it. I also have a camera, represented by another 3D coordinate. I subtract the camera coordinate from the scene coordinate and normalize it, returning a vector that points to the camera. I then do ray-plane intersection with a plane that is behind the camera point.
```
O + tD
```
Where O (origin) is the camera position, D is the direction from the scene point to the camera and t is time it takes for the ray to intersect the plane from the camera point.
If that doesn't make sense, here's a crude drawing:

I've searched far and wide, and as far as I can tell, this is called using a "pinhole camera".
The problem is not my camera rotation, I've eliminated that. The trouble is in translating the intersection point to barycentric (uv) coordinates.
The translation on the x-axis looks like this:
```
uaxis.x = -a_PlaneNormal.y;
uaxis.y = a_PlaneNormal.x;
uaxis.z = a_PlaneNormal.z;
point vaxis = uaxis.CopyCrossProduct(a_PlaneNormal);
point2d.x = intersection.DotProduct(uaxis);
point2d.y = intersection.DotProduct(vaxis);
return point2d;
```
While the translation on the z-axis looks like this:
```
uaxis.x = -a_PlaneNormal.z;
uaxis.y = a_PlaneNormal.y;
uaxis.z = a_PlaneNormal.x;
point vaxis = uaxis.CopyCrossProduct(a_PlaneNormal);
point2d.x = intersection.DotProduct(uaxis);
point2d.y = intersection.DotProduct(vaxis);
return point2d;
```
My question is: how can I turn a ray plane intersection point to barycentric coordinates on both the x and the z axis?
| How can I turn a ray-plane intersection point into barycentric coordinates? | CC BY-SA 2.5 | null | 2009-11-20T22:42:45.560 | 2009-11-23T12:38:57.940 | null | null | 141,057 | [
"math",
"intersection",
"raytracing"
] |
1,774,793 | 1 | 1,818,138 | null | 0 | 1,500 | I have 5 seperate sections in a table, 2 of the sections have customizable cells, when in EDITING mode, 2 of the sections produce an additional cell that will add a new cell to the list. My problem is that when I invoke edit mode, the `UISwitch` glitches! and decides to jump around, VERY SIMPLE code, just have NO IDEA why the UISwitch is jumping to different cells in DIFFERENT SECTIONS when it should NOT!
```
static NSInteger kCustomTextTag = 1;
static NSInteger kServiceTag = 3;
static NSInteger kConnectTag = 4;
static NSInteger kVibrateTag = 1;
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
Profile_ManagerAppDelegate *appDelegate = [[UIApplication sharedApplication] delegate];
static NSString *CellIdentifier = @"Cell";
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
if (cell == nil)
{
cell = [[[UITableViewCell alloc] initWithFrame:CGRectZero reuseIdentifier:CellIdentifier] autorelease];
cell.hidesAccessoryWhenEditing = YES;
}
UISwitch *swService = nil;
swService = [[[UISwitch alloc] initWithFrame:CGRectMake(195, 8, 160, 27)] autorelease];
[swService addTarget:self action:@selector(serviceSwAction:) forControlEvents:UIControlEventValueChanged];
swService.tag = kServiceTag;
UISwitch *swConnect = nil;
swConnect = [[[UISwitch alloc] initWithFrame:CGRectMake(195, 8, 160, 27)] autorelease];
[swConnect addTarget:self action:@selector(connectSwAction:) forControlEvents:UIControlEventValueChanged];
swConnect.tag = kConnectTag;
UISwitch *swVibrate = nil;
swVibrate = [[[UISwitch alloc] initWithFrame:CGRectMake(195, 8, 160, 27)] autorelease];
[swVibrate addTarget:self action:@selector(vibrateSwAction:) forControlEvents:UIControlEventValueChanged];
swVibrate.tag = kVibrateTag;
if(indexPath.section == 0)
{
//CGRectMake Method (x, y, width, height)
custProfileNameLabel = [[[UITextField alloc] initWithFrame:CGRectMake(10, 11, 290, 21)] autorelease];
custProfileNameLabel.tag = kCustomTextTag;
custProfileNameLabel.textAlignment = UITextAlignmentLeft;
[cell.contentView addSubview:custProfileNameLabel];
custProfileNameLabel.backgroundColor = [UIColor clearColor];
custProfileNameLabel.userInteractionEnabled = NO;
custProfileNameLabel.placeholder = @"Custom Profile Name";
custProfileNameLabel.autocapitalizationType = UITextAutocapitalizationTypeWords;
custProfileNameLabel.clearButtonMode = UITextFieldViewModeWhileEditing;
//UIKeyboardTypeDefault;
cell.selectionStyle = UITableViewCellEditingStyleNone;
CustomProfile *cProf = [CustomProfile alloc];
cell.textLabel.text = [cProf tName];
}
if(indexPath.section == 1)
{
if(indexPath.row == ([[appDelegate serviceArray] count]) && self.editing){
cell.textLabel.text = @"Add a Service";
cell.selectionStyle = UITableViewCellSelectionStyleNone;
cell.accessoryType = UITableViewCellAccessoryNone;
swService.hidden = YES;
return cell;
}else{
swService.hidden = NO;
cell.selectionStyle = UITableViewCellSelectionStyleNone;
cell.accessoryType = UITableViewCellAccessoryNone;
cell.textLabel.text = [[appDelegate serviceArray] objectAtIndex:indexPath.row];
}
[cell addSubview:swService];
}
if(indexPath.section == 2)
{
if(indexPath.row == ([[appDelegate connectArray] count]) && self.editing){
cell.textLabel.text = @"Add a Connection";
cell.selectionStyle = UITableViewCellSelectionStyleNone;
cell.accessoryType = UITableViewCellAccessoryNone;
swConnect.hidden = YES;
return cell;
}else{
swConnect.hidden = NO;
cell.selectionStyle = UITableViewCellSelectionStyleNone;
cell.accessoryType = UITableViewCellAccessoryNone;
cell.textLabel.text = [[appDelegate connectArray] objectAtIndex:indexPath.row];
}
[cell addSubview:swConnect];
}
if(indexPath.section == 3)
{
NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory = [paths objectAtIndex:0];
NSString *myPlistPath = [documentsDirectory stringByAppendingPathComponent:@"ProfileManager.plist"];
NSDictionary *plistDict = [[NSDictionary alloc] initWithContentsOfFile:myPlistPath];
NSString *value;
value = [plistDict objectForKey:@"Custom Ringtone"];
if(indexPath.row == ([[appDelegate ringArray] count]) && self.editing){
cell.selectionStyle = UITableViewCellSelectionStyleNone;
cell.accessoryType = UITableViewCellAccessoryNone;
}else{
cell.selectionStyle = UITableViewCellSelectionStyleBlue;
cell.accessoryType = UITableViewCellAccessoryDisclosureIndicator;
}
cell.textLabel.text = value;
}
if(indexPath.section == 4)
{
if(indexPath.row == 0 && self.editing)
{
//cell.userInteractionEnabled = NO;
cell.accessoryType = UITableViewCellAccessoryNone;
cell.textLabel.text = @"Vibrate";
swVibrate.hidden = YES;
}else{
swVibrate.hidden = NO;
//cell.accessoryType = UITableViewCellAccessoryNone;
cell.selectionStyle = UITableViewCellSelectionStyleBlue;
cell.textLabel.text = @"Vibrate";
}
[cell.contentView addSubview:swVibrate];
}
return cell;
}
```
## Screenshot

| UISwitch shows up on other cells! Glitch? | CC BY-SA 3.0 | 0 | 2009-11-21T07:09:44.420 | 2011-09-15T05:17:28.737 | 2011-09-15T05:17:28.737 | 171,206 | 171,206 | [
"ios",
"uitableview",
"uiswitch"
] |
1,775,911 | 1 | null | null | 1 | 864 | For each row in the grid render a row under it that colspans all of the columns in the grid.
So that we can nest grids in that row or maybe a form for a quick edit or maybe an update panel.
: In RowDataBound, RowCreated the row that you are working with has not yet been added to the root table. This makes it easy if you want to add a row before that row you can cast the e.row.parent control as table and add the row to it. When you do that it will show up before the current row you are working with.
Example:
```
protected void Page_Load(object sender, EventArgs e)
{
List<String> strings = new List<string>();
strings.Add("Test1");
strings.Add("Test2");
strings.Add("Test3");
CustomGridView GridView1 = new CustomGridView();
GridView1.DataSource = strings.Select(s => new { Column1 = s });
GridView1.DataBind();
phGrid.Controls.Add(GridView1);
}
public class CustomGridView : GridView
{
public Table Table
{
get;
set;
}
public CustomGridView()
{
this.RowCreated += new GridViewRowEventHandler(CustomGridView_RowCreated);
}
protected override Table CreateChildTable()
{
Table = base.CreateChildTable();
return Table;
}
GridViewRow lastRow;
void CustomGridView_RowCreated(object sender, GridViewRowEventArgs e)
{
if (e.Row.RowType == DataControlRowType.DataRow || e.Row.RowType == DataControlRowType.Footer)
{
if (lastRow != null)
this.Table.Rows.Add(CreateRow());
lastRow = e.Row;
}
}
private static GridViewRow CreateRow()
{
GridViewRow newRow = new GridViewRow(0, 0, DataControlRowType.DataRow, DataControlRowState.Normal);
TableCell cell = new TableCell();
cell.Controls.Add(new LiteralControl(" FormRow"));
newRow.Cells.Add(cell);
return newRow;
}
}
```

The codesmell is a little bit more than I would like with this code. I don't like that I need to keep track of the last data row because it is hard for junior developers to comprehend the iterative nature of this code for maintenance.
Does anyone know what gets called just after row created? When is the row actually added to the root table and can I override a method to participate with it. I have decompiled the GridView class with Reflector and I just can't see to find what I am looking for.
| When are ASP.NET GridView Rows actually added to the root Table? | CC BY-SA 2.5 | null | 2009-11-21T16:16:14.060 | 2010-02-14T22:07:29.327 | 2017-02-08T14:17:30.130 | -1 | 210,837 | [
"asp.net",
"gridview",
"add",
"rows"
] |
1,776,204 | 1 | 1,776,259 | null | 15 | 9,473 | I'm working in C#. I have a small VS Solution with 4 projects:
1. a DLL
2. an EXE that references the DLL
3. a merge project, that does nothing more than ILMerge on the assemblies from the prior two steps
4. a setup project, that packages the .EXE output of the Merge project. (I've added the "Primary Output of a Project" to the setup, specifying the Merge project here)
The problem is, the setup project automatically detects the projects #1 and #2 as dependencies for project #3. When I include the primary output of the 3rd project into the MSI (Setup project), the dependencies are automatically dragged in as well. I don't want this.
How can I stop it?
I tried specifying an "Exclude Filter" but couldn't get that to work. No matter what I tried, the dependencies always got dragged in.

I tried manually modifying the Setup.vdproj, to remove the auto-detected dependency projects, but when I re-loaded the .vdproj in VS, the auto-detected dependencies came back.
help?
| In a VS Setup project, how can I exclude the dependencies of a project from the MSI? | CC BY-SA 2.5 | null | 2009-11-21T17:54:45.860 | 2013-11-13T15:31:38.723 | 2009-11-21T18:01:59.310 | 48,082 | 48,082 | [
"visual-studio",
"installation",
"ilmerge"
] |
1,778,122 | 1 | 1,778,158 | null | 2 | 338 | first of all, sorry for the non descriptive title, I'm just too rushed so I couldn't come up with a better one.
Second:
I have a portion of my database the looks like the following diagram:

I have contributors on the system, each write to many sources, and a source can have many working contributors. Users can subscribe to as many contributors as they like and as many sources as they like. Now, what I want to do is simply retrieve all the articles for certain user. These articles are either coming through a contributor or a source the user subscribes to. To make it easy, when a user subscribes to a source I simply copy all the sources contributors to the users_contributors table. One tricky piece, when I retrieve the user's articles I retrieve all the articles that he his contributors write, and all the articles that were published in the sources he follows where those articles doesn't have a valid contributor on the system. (I.E contributorID is null).
I created the following query:
```
Select Articles.ArticleID, Articles.ContributorId, Contributors.Name,
Sources.Name, Articles.ArticleTitle
From Articles
Inner Join Contributors On Articles.ContributorId = Contributors.ContributorId
Inner Join Sources On Articles.SourceId = Sources.SourceID
Where Articles.ContributorId in (
Select ContributorId from Users_Contributors
Where UserID = 3
)
OR (
Articles.SourceId in (
Select SourceId from Users_Sources
Where UserID = 3
)
and
Articles.ContributorId is null
)
```
The problem with the above query is that, it doesn't return any article with contributorID null. I understand this is because of the join on the contributors table. What should I do in such a case?
1. Should I consider denormalization?
2. What are the prober fields to index on each table for this query to run fast (Rowset returned are approximately 10000)?
3. I need to support paging on this query, will "With { }" clause be appropriate to me, or should I consider another strategy? Thanks in advance. Ps: I'm using SQL Server 2008
| Join won't do it, and sub query sucks, then what? | CC BY-SA 3.0 | null | 2009-11-22T07:42:37.597 | 2015-06-21T01:17:15.107 | 2015-06-21T01:17:15.107 | 1,159,643 | 70,289 | [
"tsql",
"sql-server-2008",
"query-optimization"
] |
1,779,597 | 1 | 1,779,638 | null | 0 | 295 | when I send a user an email verification message, how do I construct it to look something like this:

How do I add links? using tags? and newlines?
```
$message = 'Thanks for signing up!' - a newline afterwards...
then blablablah *link to confirmation*
```
I would really appreciate any kind of help in this.
| PHP email verification - how do I organize a message? using html tags? | CC BY-SA 2.5 | 0 | 2009-11-22T18:53:12.747 | 2009-11-22T20:48:31.660 | 2017-02-08T14:17:31.167 | -1 | 202,895 | [
"php",
"email"
] |
1,780,333 | 1 | 1,780,601 | null | 1 | 637 | I'm struggling with getting Linq To NHibernate to work. I have referenced NHibernate, NHibernate.Linq and NHibernate.ByteCode.Castle . Also I have all other dependencies in the same folder.
Code / Error message:
```
Public Function GetProjectsByName(ByVal ProjectName As String) As List(Of Project)
Return (From x In _session.Linq(Of Project)() Where x.Name.Equals(Project))
End Function
```
> "Linq is not a member of NHibernate.ISession"
... tells me that the LINQ extensions aren't loaded. Using NHibernate.Linq seems to be made in a way that it's incredibly easy to use, hence there are no tutorials on how to set it up. (Or at least I couldn't find any).
Do you have any idea, what I could be missing?
References of Data Access Layer

Thanks in advance
| Getting "Linq is not a member of NHibernate.ISession" error when implementing Linq to NHibernate | CC BY-SA 4.0 | 0 | 2009-11-22T22:55:10.113 | 2019-05-11T20:06:52.103 | 2019-05-11T20:06:52.103 | 4,751,173 | 149,231 | [
".net",
"vb.net",
"nhibernate",
"linq-to-nhibernate"
] |
1,781,667 | 1 | null | null | 1 | 2,250 | I am trying to develop a calendar control as shown in the following link.

If you look into the date Nov 12th, you can see some records. The number of record will vary. So ideally the height of a row will shrink/expand based on the number of records.
Please guide me how to achieve this.
My development environment is
Windows Server 2008, Visual Studio 2008, .Net 3.5, C#
| Ideas for creating a Calendar control | CC BY-SA 3.0 | null | 2009-11-23T07:51:03.453 | 2011-11-28T03:58:15.597 | 2011-11-28T03:58:15.597 | 234,976 | 215,207 | [
"c#",
".net",
"asp.net",
"javascript"
] |
1,783,607 | 1 | 1,784,601 | null | 20 | 33,053 | In a JTable, how can I make some rows automatically increase height to show the complete multiline text inside? This is how it is displayed at the moment:

I do not want to set the height for rows, but only for the ones which have multiline text.
| Auto adjust the height of rows in a JTable | CC BY-SA 2.5 | 0 | 2009-11-23T14:53:10.773 | 2016-05-11T09:34:59.013 | null | null | 126,903 | [
"java",
"swing"
] |
1,783,700 | 1 | 1,783,797 | null | 4 | 5,778 | I need to perform an ON DELETE CASCADE on my table named CATEGORY, which has the following columls
CAT_ID (BIGINT)
NAME (VARCHAR)
PARENT_CAT_ID (BIGINT)
PARENT_CAT_ID is a FK on CAT_ID. Obviously, the lovely SQL Server does not let me use ON DELETE CASCADE claiming circular or multiple paths to deletion.
A solution that I see often proposed is triggers. I made the following trigger:
```
USE [ma]
GO
/****** Object: Trigger [dbo].[TRG_DELETE_CHILD_CATEGORIES] Script Date: 11/23/2009 16:47:59 ******/
SET ANSI_NULLS ON
GO
SET QUOTED_IDENTIFIER ON
GO
ALTER TRIGGER [dbo].[TRG_DELETE_CHILD_CATEGORIES] ON [dbo].[CATEGORY] FOR DELETE AS
SET NOCOUNT ON
/* * CASCADE DELETES TO '[Tbl B]' */
DELETE CATEGORY FROM deleted, CATEGORY WHERE deleted.CAT_ID = CATEGORY.PARENT_CAT_ID
```
When I manually delete a category with child categories, I get the following exception:

Any idea what is wrong with my trigger?
Sorry for the edit, but I have another column CATEGORY.CAT_SCH_ID, which is a FK of another table CAT_SCH.ID. This FK has a CASCADE DELETE as well, meaning that once I delete a CAT_SCH, its CATEGORies must also be deleted. So, I get this error when I define the trigger:
Any ideas?
| SQL Server: Self-reference FK, trigger instead of ON DELETE CASCADE | CC BY-SA 2.5 | 0 | 2009-11-23T15:09:15.437 | 2009-11-23T19:24:11.817 | 2017-02-08T14:17:31.850 | -1 | 125,713 | [
"sql",
"sql-server",
"foreign-keys",
"triggers",
"cascade"
] |
1,783,859 | 1 | 1,867,343 | null | 0 | 2,731 | I have a chart I'm making in SSRS.
My database is returning data like this:
Period Name, Question, Answer, Count, Mean, Median
Nov 09, Can Haz Chezbrgr, Yes, 5, 4, 3.1
Nov 09, Can Haz Chezbrgr, No, 3, 4, 3.1
Nov 09, Can Haz Chezbrgr, DK, 2, 4, 3.1
Period Name is the primary grouping, question is the same for all rows. Answer varies as does count. The mean and median are calculated based on period name & count, but are the same for all values in each period.
I have a chart in SSRS that's plotting the Answers by period. I'm trying to add the mean as a single plotted item. The problem is that the mean text is showing up once for each answer in the legend, but only once in the chart (this makes sense since the values are all the same.
Here is an example chart:

Here is what my report definition looks like:

Ideally, I'd like to have only one entry in the legend for Mean, with no association to the answer. Is this possible?
Thanks for your help!
| SSRS Chart w/Series and Mean | CC BY-SA 2.5 | null | 2009-11-23T15:28:40.343 | 2009-12-08T14:32:04.427 | 2017-02-08T14:17:32.530 | -1 | 67,137 | [
"reporting-services",
"charts",
"mean"
] |
1,784,162 | 1 | 1,784,353 | null | 0 | 510 | I am attempting a fresh install of Drupal 6.14 on a Ubuntu 9.10 machine using XAMPP for Linux. I use XAMPP fine with Wordpress and some different frameworks. I am having problems after I download and extract Drupal to my /htdocs/. The following pic shows the errors I get.

| Problems installing Drupal with Xampp and Ubuntu | CC BY-SA 2.5 | null | 2009-11-23T16:10:25.593 | 2012-06-05T12:44:19.267 | 2009-11-23T16:25:16.080 | 83,452 | 83,452 | [
"php",
"linux",
"drupal",
"ubuntu",
"content-management-system"
] |
1,784,532 | 1 | null | null | 0 | 2,216 | Consider a SQL script designed to copy rows from one table to another in a SQL 2000 database. The transfer involves 750,000 rows in a simple:
```
INSERT INTO TableB([ColA],[ColB]....[ColG])
SELECT [ColA],[ColB]....[ColG]
FROM TableA
```
This is a long running query, perhaps in part because `ColB` is of type `ntext`.
There are a handful of `CONVERT()` operations in the `SELECT` statement.
The difficulty is that after ~15 mins of operation, this exception is raised by SQL Server.
> Could not allocate space for object '[TABLE]'.'[PRIMARY_KEY]' in database '[DB]' because the 'PRIMARY' filegroup is full.
Create disk space by deleting unneeded files, dropping objects in the filegroup, adding additional files to the filegroup, or setting autogrowth on for existing files in the filegroup.
- - - -


What options need to be set, either via Management Studio, or via T-SQL to allow the database to grow as required? What other remedies would you suggest?
The db could not grow as needed because I was hosting this database on an instance of SQL Server 2008 . Upgrading to a non-neutered version of SQL Server will solve this problem.

| SQL Server filegroup full during a large INSERT INTO statement | CC BY-SA 2.5 | 0 | 2009-11-23T17:04:17.153 | 2009-11-23T17:53:17.210 | 2009-11-23T17:53:17.210 | 169,012 | 23,199 | [
"sql-server",
"sql-server-2000",
"sql-server-express",
"filegroup",
"autogrow"
] |
1,790,631 | 1 | 1,942,562 | null | 17 | 6,645 | On the Includes tab of the Paths and Symbols section of the Project Properties dialog in the Eclipse CDT, there is an "Export" button:

The best documentation I have found says that this "toggles whether the selected include path is exported or not." If I click it, it changes to "Unexport" and "[exp]" is appended to the selected include path.
What exactly does this do? What does it mean to "export an include path?"
| "Export" button in Eclipse CDT "Paths and Symbols" dialog? | CC BY-SA 3.0 | 0 | 2009-11-24T15:00:18.657 | 2016-09-01T11:36:27.673 | 2016-09-01T11:36:27.673 | 884,813 | 135,178 | [
"eclipse",
"eclipse-cdt"
] |
1,791,041 | 1 | 1,791,356 | null | 3 | 2,803 | After the user goes through the Setup Wizard, and makes a few choices, the usual thing is to display the [VerifyReadyDlg](http://www.wixwiki.com/index.php?title=VerifyReadyDlg) to say "Are you ready to install?"
The built-in VerifyReadyDlg is static. It does not present a summary of the choices he made previously. I'd like to modify it so that it does.
How can I do that?
---
Example
"Static" text:

Intelligent text:
[](https://i.stack.imgur.com/ULgeB.png)
I don't believe I can modify the Control table in the MSI, because mods during the installation process are not allowed. I found [MsiViewModifyInsertTemporary](http://www.bing.com/search?q=msiviewmodifyinserttemporary&form=QBRE&qs=n), but I don't think that will work either. The relevant row in the Control table is already present, and it contains static data. I want to modify the data, just before VerifyReadyDlg is displayed.
| Wix: How can I set, at runtime, the text to be displayed in VerifyReadyDlg? | CC BY-SA 4.0 | null | 2009-11-24T16:02:51.107 | 2019-05-12T01:05:25.850 | 2019-05-12T01:05:25.850 | 4,751,173 | 48,082 | [
"wix",
"windows-installer"
] |
Subsets and Splits