Adding iPhone Touch Scrolling to a UnityGUI ScrollView

来源:互联网 发布:ods层和数据集市的区别 编辑:程序博客网 时间:2024/05/01 16:51

Adding iPhone Touch Scrolling to a UnityGUI ScrollView

http://www.mindthecube.com/blog/2010/09/adding-iphone-touches-to-unitygui-scrollview

When running on the iPhone, UnityGUI ScrollViews act as if the player is using a mouse. The player can tap on or drag the scrollbar, but they can't drag the list itself up and down with their finger. And naturally, that's the first thing my playtester tried to do. So it would be useful to be able to add touch behavior to UnityGUI scrolling lists.


Pawns Puzzle Picker

Here's how I did it. This article may be useful to someone porting UnityGUI code to the iPhone, or who just wants a working example of how to use the different iPhone touch phases.

(For a downloadable Unity package demonstrating everything in this post, scroll to the bottom.)

Design

The desired behaviors are:

  1. Allow the player to drag the list up and down
  2. Single-tap selects a row
  3. List has inertia, drifts to stop when the user lets go

Note that when a touch begins, we don't yet know whether the player is starting a tap or a drag. And if they drag a short distance and then let go, did they tap that row or not? To avoid ambiguity many apps have the user press a "Done" button to confirm their selection. Other possibilities are to require a double-tap on a row, or treat it as a tap only if it is released quickly.

I decided to copy behavior I liked in Things for iPhone, which highlights the row when it is first touched. But if the user starts to drag it, the highlight disappears. So a tap can be slow as long as the finger doesn't move. I like this because you can see what you've selected, and cancel it (with a short drag) if you missed your target.

Implementation

It should be possible to access touches during the OnGUI logic. I didn't do it that way. Instead, my OnGUI code draws the scrolling list but no longer responds to clicks (although as I note below, that code can be left in for cross-platform purposes.) The code for detecting and responding to touches is now all in Update. (This is just a matter of preference, but by separating the row drawing from the code that handles input, I suspect it will be easier to replace the iPhone touch logic when porting the code to a new platform.)

1. Responding to Drags

The code for dragging the list turns out to be easy. All we need to do is detect when a touch delta has occurred. We then adjust the list's current scroll position by the same amount.

if (touch.phase == iPhoneTouchPhase.Moved){    // dragging    scrollPosition.y += touch.deltaPosition.y;}

Depending on what controls you have in your scrolling list, you may find that the one that is being touched for the drag highlights, and stays highlighted after the player lets go. The solution is either to use a control that doesn't behave that way (e.g. a Label instead of a Button) or to change the GUIStyle/GUISkin to make selected controls look the same as unselected.

2. Responding to Taps

Things can get a little trickier for detecting single-taps on a control in the list.

It's tempting to keep the standard GUI click detection code in place. That can be used in some cases, but not if we want the behavior that I described above, where the row is highlighted when the touch begins, and can turn into a selection or a drag depending on if the finger moves or not.

So instead I took out the GUI click-response code and manage the taps myself. The trick here is in figuring out which row was tapped from the touch coordinates. Touch coordinates need to be adjusted as follows:

  • UnityGUI y-coordinates are inverted when compared to touch coordinates.
  • Touch coordinates need to be adjusted by the amount that the list has been scrolled.
  • UnityGUI windows and scrollframes also add offsets to the coordinates.

In my example the scrolling list is in a ScrollView, which in turn is in a Window. So the code to calculate which row a tap was on looks like this:

private int TouchToRowIndex(Vector2 touchPos) {    float y = Screen.height - touchPos.y;  // invert y coordinate    y += scrollPosition.y;  // adjust for current scroll position    y -= windowMargin.y;    // adjust for window y offset    y -= listMargin.y;      // adjust for scrolling list offset within the window    int irow = (int)(y / rowSize.y);     irow = Mathf.Min(irow, numRows);  // they might have touched below last row    return irow; }

Now the code to handle drags and taps is as follows. I also added code to handle the Cancelled touch phase, which like the Moved phase cancels the selection.

if (touch.phase == iPhoneTouchPhase.Began){selected = TouchToRowIndex(touch.position);}else if (touch.phase == iPhoneTouchPhase.Canceled){selected = -1;}else if (touch.phase == iPhoneTouchPhase.Moved){// draggingselected = -1;   // cancel the selection in favor of the dragscrollPosition.y += touch.deltaPosition.y;}else if (touch.phase == iPhoneTouchPhase.Ended){       // Was it a tap, or a drag-release?       if ( selected > -1 )       {           Debug.Log("Player selected row " + selected);       }}

We also need to highlight the row that is being touched, at least until the player starts to drag it. I couldn't find a documented way to tell UnityGUI to draw the next row with a different state (i.e. Hover or Focus, instead of Normal.) So instead I have a separate GUIStyle for selected rows. In the OnGUI code that draws the rows, I have the following:

       if ( iRow == selected )               GUI.Button(rBtn, rowLabel, rowSelectedStyle);       else       GUI.Button(rBtn, rowLabel);

3. Inertia

When the user drags and then lets go a standard iOS scrolling list, it doesn't stop moving immediately. We want that same effect of drifting to a stop. I do this by calculating an initial velocity when the touch ends. This moves the list for half a second, or until a new touch begins.

When the code detects that the touch has ended (iPhoneTouchPhase.Ended) it stores the y-component of last touch's deltaPosition. Dividing this by the deltaTime gives the starting velocity, which is gradually reduced to zero over the next half-second. This doesn't have exactly the same feel that iOS lists have, but it's very close.

Here is the code that sets up the inertia when the touch phase has just ended. It stores the time of the release and how fast the list was being scrolled at the time.

if (touch.phase == iPhoneTouchPhase.Ended){     // Was it a tap, or a drag-release?     if ( selected > -1 )     {         Debug.Log("Player selected row " + selected);     }     else     {         // impart momentum, using last delta as the starting velocity // ignore delta < 10; rounding issue can cause ultra-high velocity if (Mathf.Abs(touch.deltaPosition.y) >= 10)      scrollVelocity = (int)(touch.deltaPosition.y / touch.deltaTime); timeTouchPhaseEnded = Time.time;     }}

I ran into a surprising bug where small finger movements would scroll the list extremely quickly. It turns out that a tiny movement of the finger can get rounded up to a delta of 5 pixels. This is a small amount, but given a fast framerate, this rounded amount represents a monstrously high velocity! The simple solution was for my inertia code to ignore very small movements. Less than 10 pixels seemed to work well in my tests on an iPhone 2g. (It's possible that higher-resolution iPhones and iPads round by a different amounts.)

Here is the code that runs when there are no touches (or multiple touches, which I chose to ignore.) If the list has some leftover velocity from the last drag, it moves the list for a while longer. This uses the variables that were stored by the previous code sample.

if (iPhoneInput.touchCount != 1){    selected = -1;      if ( scrollVelocity != 0.0f )    {// slow down over timefloat t = (Time.time - timeTouchPhaseEnded) / inertiaDuration;float frameVelocity = Mathf.Lerp(scrollVelocity, 0, t);scrollPosition.y += frameVelocity * Time.deltaTime; // after N seconds, we've stoppedif (t >= inertiaDuration) scrollVelocity = 0.0f;    }   return;}

Testing reveals that the list works well now. But there is a question of what to do with the original scrollbar. Dragging on it is a bit weird because it moves in the opposite direction as the list. In other words, you drag the list up to movedown, but you drag the scrollbar up to move up. For Pawns I simply made the scrollbar very narrow to discourage tapping on it, but it remains as a visual cue that this is a scrollable list.

Miscellaneous

Note that if you make your controls respond only to touches, they can only be tested via UnityRemote or with an actual iPhone or iPad. So I found it useful to keep the original click logic in the OnGUI method as well. The code can be wrapped with a check to make it run only for non-iOS builds:

        if ( fClicked && Application.platform != RuntimePlatform.IPhonePlayer )        {           Debug.Log("Player mouse-clicked on row ");        }

However, note that this code still runs in Unity Remote, which can lead to cases where a touch is interpreted both as touch and as a click.

One last optimization: we can reduce the number of drawcalls a lot by only drawing rows that are actually visible-a trick I blogged about earlier.

// draw call optimization: don't actually draw the row if it is not visible// rBtn is the rectangle of the row we are about to draw// rScrollFrame is the rectangle of the scrollviewif ( rBtn.yMax >= scrollPosition.y &&      rBtn.yMin <= (scrollPosition.y + rScrollFrame.height) ){    // ... GUI drawing commands for the current row ...}

Demo

The following Unity package contains a GUI script that demonstrates a simple scrolling list that responds to iPhone/iPad touches.
GUITouchScroll Unity Package

Import it into a project to create a new folder, GUITouchScroll. Drag the GUITouchScroll prefab that's in the folder to your Scene view to create the sample scrolling list. The number of rows, and the window and list dimensions can be adjusted in the Inspector. The example uses the default UnityGUI skin, but this also can be replaced in the Inspector.

To test it, run the scene with Unity Remote or on an iOS device. When a row is tapped, a line of text will be output to the Unity debugging console. (Keep in mind that the scrolling will not look or feel very smooth on Unity Remote, due to the reduced frame rate.)

(Comment added 1/22/2012: If you prefer JavaScript to C#, please note that a generous reader has posted a JavaScript version in the comments. Thanks, Roi!)