Time Ruler...

Is there a way to create a ruler made with simple lines and number and controlled by lingo and a text field in a way that it reacts accornding to the time in the text field?
Let's say I have in the text field 04:59 then the script organizes the lines with four higher lines indicating the four minutes and three smaller ones between the higher indicating 15 seconds each.
I don't have a idle idea how to make this. Is it possble?
Thanks
Brian

Hi Brian - I had a try at this and cooked up the following behavior. Copy and paste it into a script member and make sure it's typed appropriately before dragging it onto a bitmap sprite (the one you want to display your timeline graphic). It needs to be sent the message to draw this graphic. For example, if the graphic sprite (with this behavior attached) is sprite number 5, and you want it to draw a timeline of 4:33, you would call it with
sprite(5).mMakeTimeline("04:33")
property spriteNum
property my
property myMember
property myImage
property myWidth
property myHeight
property myBackgroundColour
property myTextColour
property myLineColour
property myShortLineHeight
property myMediumLineHeight
property myLongLineHeight
property myQuarterFontSize
property myMinuteFontSize
property myFont
on isOKToAttach(me, sType, sNum)
  if ( sType = #graphic ) then return ( sprite(sNum).member.type = #bitmap )
  return FALSE
end
on getPropertyDescriptionList
  pdl = [:]
  pdl[#myWidth] = [#comment: "Width of image to create:", #format: #integer, #default: 1286] -- #default: sprite(the currentSpriteNum).member.width
  pdl[#myHeight] = [#comment: "Height of image to create:", #format: #integer, #default: 94] -- #default: sprite(the currentSpriteNum).member.height
  -- this used to display a colour chip in the resulting dialog
  -- I don't know what's changed between  D7/8 and now...
  pdl[#myBackgroundColour] = [#comment: "Colour of image to create:", #format: #color, #default: rgb( 196, 186, 180 )]
  pdl[#myTextColour] = [#comment: "Colour of text to draw:", #format: #color, #default: rgb( 0, 0, 0 )]
  pdl[#myLineColour] = [#comment: "Colour of lines to draw:", #format: #color, #default: rgb( 0, 0, 0 )]
  pdl[#myShortLineHeight] = [#comment: "Height of 5 second interval lines to draw:", #format: #integer, #default: 24]
  pdl[#myMediumLineHeight] = [#comment: "Height of 15 second interval lines to draw:", #format: #integer, #default: 35]
  pdl[#myLongLineHeight] = [#comment: "Height of minute interval lines to draw:", #format: #integer, #default: 46]
  pdl[#myQuarterFontSize] = [#comment: "Font size of 15 second interval text:", #format: #integer, #default: 10]
  pdl[#myMinuteFontSize] = [#comment: "Font size of minute interval text:", #format: #integer, #default: 14]
  pdl[#myFont] = [#comment: "Text font:", #format: #font, #default: "Arial"]
  return pdl
end
on beginSprite me
  my = sprite(spriteNum)
  myMember = my.member
  myImage = duplicate(myMember.image)
end
on endSprite me
  myMember.image = myImage
end
on mMakeTimeLine me, sTime
  -- sTime should be a string and formatted as "mm:ss"
  if stringP(sTime) = 0 then return
  -- how many seconds were provided
  tSeconds = _movie.HMStoFrames(sTime, 1, 0, 0)
  -- if this evaluates to an invalid input then bail out
  if ( tSeconds = -2147483648 ) OR ( tSeconds = 0 ) then exit
  -- long marker at 0 then short one every n pixels (representing 5 seconds) with longer
  -- one at 15, 30 and 45 seconds intervals and longest (thicker) line at minute intervals
  tInterval = 5.0 * myWidth/tSeconds
  -- create image and fill with BG colour
  tImage = image(myWidth, myHeight, 32)
  -- fill image with BG colour
  OK = tImage.fill( rect(0, 0, myWidth, myHeight), [#shapeType: #rect, #color: myBackgroundColour] )
  -- make images for 15, 30 and 45s intervals:
  tTextMember = _movie.newMember(#text)
  tTextMember.font = myFont
  tTextMember.fontSize = myQuarterFontSize
  tTextMember.antiAliasType = #AutoAlias
  tTextMember.hinting = #TVMode
  tTextMember.wordWrap = FALSE
  tTextMember.text = "15s"
  tWidth = tTextMember.charPosToLoc(4)[1]
  tTextMember.width = tWidth
  image15alpha = duplicate(tTextMember.image.extractAlpha())
  image15 = image(image15alpha.width, image15alpha.height, 32)
  image15.fill( rect(0, 0, image15.width, image15.height), [#shapeType: #rect, #color: myTextColour] )
  tTextMember.text = "30s"
  tWidth = tTextMember.charPosToLoc(4)[1]
  tTextMember.width = tWidth
  image30alpha = duplicate(tTextMember.image.extractAlpha())
  image30 = image(image30alpha.width, image30alpha.height, 32)
  image30.fill( rect(0, 0, image30.width, image30.height), [#shapeType: #rect, #color: myTextColour] )
  tTextMember.text = "45s"
  tWidth = tTextMember.charPosToLoc(4)[1]
  tTextMember.width = tWidth
  image45alpha = duplicate(tTextMember.image.extractAlpha())
  image45 = image(image45alpha.width, image45alpha.height, 32)
  image45.fill( rect(0, 0, image45.width, image45.height), [#shapeType: #rect, #color: myTextColour] )
  -- finished creating images for seconds so set fontSize of text member for creating minute intervals
  tTextMember.fontSize = myMinuteFontSize
  tTextMember.width = 500
  -- draw long line at zero
  OK = tImage.fill( rect(0, myHeight - myLongLineHeight, 1, myHeight), [#shapeType: #rect, #color: myLineColour] )
  -- monitor start point and number of lines drawn
  tStart = 0.0
  tDrawIndex = 0
  repeat while TRUE
    -- add pixel width corresponding to 5 seconds to current draw position (x)
    tStart = tStart + tInterval
    -- make this an integer (pixels are integer values, not floats) - not strictly necessary as they will be auto-converted
    tX = integer(tStart)
    -- if this line will be drawn outside the full width then we're done, bail out of drawing routine
    if tX > myWidth then exit repeat
    -- increment the draw index
    tDrawIndex = tDrawIndex + 1
    -- set default height and width of lines drawn (over-ridden below if necessary - 15, 30, 45 and minute intervals)
    tHeight = myShortLineHeight
    tLineWidth = 1
    -- if the draw index divides evenly by 3 then it should be a longer line, with some text drawn above it
    if tDrawIndex mod 3 = 0 then
      -- override line height set above
      tHeight = myMediumLineHeight
      -- set height of text above line
      tStandOff = 2
      -- which second interval should be drawn above THIS line
      textIndex = tDrawIndex mod 4
      case textIndex of
        3: -- 15s
          tTextImage = image15
          tAlpha = image15alpha
        2: -- 30s
          tTextImage = image30
          tAlpha = image30alpha
        1: -- 45s
          tTextImage = image45
          tAlpha = image45alpha
      end case
      -- if the draw index divides by 12 then it should be a minute interval
      if tDrawIndex mod 12 = 0 then
        -- override height and width of line drawn
        tHeight = myLongLineHeight
        --        tLineWidth = 2
        -- set height of text above line
        tStandOff = 4
        -- create minute text image:
        tTextMember.width = 100
        tTextMember.text = string(tDrawIndex/12) & "m"
        tWidth = tTextMember.charPosToLoc(tTextMember.char.count + 1)[1]
        tTextMember.width = tWidth
        tAlpha = tTextMember.image.extractAlpha()
        tTextImage = image(tAlpha.width, tAlpha.height, 32)
        tTextImage.fill( rect(0, 0, tTextImage.width, tTextImage.height), [#shapeType: #rect, #color: myTextColour] )
      end if
      tLeft = tX - (tTextImage.width/2)
      dRect = rect(tLeft, myHeight - tHeight - tTextImage.height - tStandOff, tLeft + tTextImage.width, myHeight - tHeight - tStandOff)
      OK = tImage.copyPixels(tTextImage, dRect, tTextImage.rect, [#maskImage: tAlpha])
      --      put OK
    end if
    OK = tImage.fill( rect(tX, myHeight - tHeight, tX + tLineWidth, myHeight), [#shapeType: #rect, #color: myLineColour] )
  end repeat
  tTextMember.erase()
  myMember.image = tImage
end

Similar Messages

  • CS5.5 - Go to previous or next visible item in time ruler (keyframe, marker, work area beginning or

    The
    Go to previous or next visible item in time ruler (keyframe, marker, work area beginning or end)
    J & K
    Does not work at all here.
    Perhaps I am misunderstanding the nature of this feature but from reading the text in the manual I would come to expect
    that hitting i.e. J&K - would go the next visible item in the ruler be that a Keyframe or Marker etc... However, when I hit K timeline takes me to the end of the composition and J to the beginning. And I have a lot of markers set.
    Any Ideas
    Thanks

    It works on layer markers and keyframes, but not comp markers. Furthermore, it will also not work, if index items have been scrolled out of view or are shy even if the property streams and their keyframes are otherwise visible. This has never been any different, but it's quite annoying.
    Mylenium

  • Two trim selections in source monitor time ruler. (Premiere Pro CC2014)

    I'm really confused by this apparent new feature, or glitch, in PP. I'm working on an old project that has been upgraded from CS6 through CC, and now to CC2014. Several of my clips have shifted to a different point in the source media, so the clip is still the same length on the timeline but contains a completely different part of the footage. When I double-click the clip in the time line to open it in the source monitor I get two trims on the time ruler like this:
    I am absolutely confused by this, I've never seen it before. More importantly I don't seem to be able to relocate either of them independently to get the correct section of the footage into my cut, and I can't seem to delete one of them.
    Is this something that's been caused by the upgrade, or is it a changed setting/preference in CC 2014. I haven't had this problem in any other project prior to installing 2014 earlier this week and now I'm hesitant to open any other projects in case it makes a mess of them too!

    The blue part is the video the green part the audio (this has been always been in Premiere)
    If you check Linked Selection (next to the wrench)  it probably will 'merge" when you double click on it.

  • Time Ruler Question...I think

    I'm new to After Effects. I've tried to figure this out on my own, but figured Id try asking online. When I want to move my movie forward via Next Frame, I have to move forwards 4 frames before the image actually moves. I'm not sure if this is normal or not, but when I've seen other people tut videos, and they only seem to have to click Next Frame once. Maybe It has to do with my Time Ruler, I don't know. Again, a huge noob I am to AE. Some non condescending advice would be appreciated.

    If your composition frame rate matches your footage frame rate then moving one frame in the timeline (page down key) moves one frame. If you footage is say 29.97fps (normal ntsc video) but your comp is 60 (or 59.95) then moving the CTI (current time indicator) forward two frames advances to the next frame of the video in the composition.
    If that's not what you're seeing please tell us all about your composition settings and your footage.
    One more thing. Say you're animating position or rotation of a layer. In this case, it doesn't matter what frame rate the composition is. Move one frame in the time line and you move one frame.
    I just had another thought. Maybe you are looking at timecode instead of frames in the Time Display. If the display is set to time code instead of frames and you advance a single frame in a comp that is 60 fps then the timecode will not advance by a frame number until you move 2.
    Since you said you have to move 4 frames before the image actually moves I suspect that the comp frame rate does not match the footage frame rate.

  • Can I set the time ruler in the main window to minutes/seconds/milliseconds?

    Is there a way to set the time ruler in the MAIN window to minutes/seconds/milliseconds?
    It seems that the only ruler time display option is minutes/seconds/frames/subframes.
    Or, failing that, is there a way to suppress the display of frames/subframes?
    I have already figured out how to set the main ruler to time, and the LCD to minutes/seconds/milliseconds…it's just a matter of having that in the ruler as well.
    Thanks.

    To my surprise that is not possible. Although, surprise...
    You could put in a feature request here:
    http://www.apple.com/feedback/logic-pro.html
    and/or here:
    http://www.logicprohelp.com/forum/viewforum.php?f=41

  • Setting the Time Ruler to BPM? Premiere CS3

    Hi everyone,
    is there a way to set the time ruler in the edit window to a bpm grid?
    This would be awesome for Music Video Editing!
    If a Band plays to click, you could easily enter the Bpm for the song and cut in a very quick way along the grid.
    thank you for any advice!
    -dom

    Unfortunately, no.
    Cheers
    Eddie
    PremiereProPedia   (
    RSS feed)
    - Over 300 frequently answered questions
    - Over 250 free tutorials
    - Maintained by editors like
    you
    Forum FAQ

  • Logc Pro X - TIME ruler  - selecting exact time for bounce.

    I often need to make my bounce exactly :30 or :60 for radio and TV work. In LP9 I was able to view the TIME ruler, without making any changes to project settings, and select the time I needed (setting the locators for the bounce).
    In LPX it seems that the to see a time scale (in musical mode) i need to view the secondary ruler, yet it is not selectable to set the locators to exactly :30 or :60 or whatever, I had success by switching the project settings to TIME, then setting the locators, then going back to musical. But that sure is a lot of steps.
    AND I hate to lose the functionality of my audio bounced files not having the tempo information embedded because I am in TIME mode.
    Need a quick workflow solution. Head scratcher, Any thoughts?
    LOVE LOGIC X
    Needs CLIP GAIN!

    The issue is one of workflow. I realize that it is in settings. The fastest way I can find to select :30 exactly is to use the project settings key command "option-P" and under general, uncheck "Use musical grid", putting LOGIC in TIME mode.
    Then highlite the primary ruler to :30. Then bounce.
    Seems fine. But  bouncing in TIME mode does not record the tempo information in the audio file, which can be a drag. So to add tempo information you have to switch back to musical mode. MULTIPLE STEPS.
    LPX seems to have added steps to what was once a simple swipe on a second ruler that could be selected, and then hit bounce.
    So I was wondering if anyone had found a better workflow solution.

  • Can I modify the the day type with a time rule???

    Hello,
              I´m trying to modify the day type,I want to change in some particular cases the day type from 1 to 0 for example. I´m looking in the documentation but I don´t find no operation to do this trough a time rule.
    I think that it would be abble to do with a function that modify the table PSP.
    Anybody knows how can I do it??
    Thank you very much!!!.Regards,
    Emi DF

    Thank you Valéire,
                                  I´ve solved the problem with your answer.Regards,
    Emi DF

  • New Daylight Saving Time Rules

    An update for changing the rules for Daylight Saving Time in the US and Canada was sent out to OS X 10.4.x; will a similar update be available for 10.3.x and earlier? If not, is there a way to customize the DST rules?

    About Daylight Saving Time changes in 2007 (Covers all OSs)
    http://docs.info.apple.com/article.html?artnum=305056
     Cheers, Tom

  • Systemd timer rules

    Hello,
    I'm going to replace cronie with systemd timers, but for my knowledge I stumble upon the way to prepare a rule that should run on every 20 minutes from midnight to 9:00 AM every days.
    the crontab would be something like
    */20 0-9 * * *   root myjob
    Any example ?

    "To stumble upon something" means to (accidentally) discover it, which would mean you now have the knowledge. But if you want to figure out how to specify timer events for this job, that's pretty straightforward.
    Read `man systemd.timer`.
    Learn that you should use OnCalendar and that the syntax for calendar events is explained in systemd.time(7).
    Check `man systemd.time` to learn about calendar events (includes examples, but don't skip the syntax description).
    If you still get stuck, you'll at least have put in some effort and you can report back here.

  • Converting Time Ruler to Seconds Issue

    In the project settings I have specified to use a time code 00:00:00:00 where the timeline should display the hours, minutes, or seconds in the footage. However, the timeline is still showing frames as you can see below. What am I doing incorrectly?

    Thanks for the help Rick. I am still experiencing issues however. For instance in the composition settings I entered in 0:00:00:30 to have a 30 second composition. The first problem I notice is when I go back to the composition settings, or view the timeline, it shows one minute six seconds ( 0:00:01:06) for the duration of the comp, even though I specified  0:00:00:30.
    The second problem I am having is I add clip to the timeline that is only 7 seconds long. For some reason it it stretches the clip through the whole timeline of the comp, it shouldn't as it its only 7 seconds.
    Thanks for your feedback.

  • CRM - Time Rule - Date and duration difference in XML

    Hi All,
    Please provide your input on the below query .
    Objective
    To create a date rule in CRM system, the date rule is created using XML . The date  should be output of date - duration , omitting the weekends ( saturday and sunday ) .
    Input
    The input is  date ( lets says - 25.07.2014) and duration is 5 days . The output should be the input date - duration ,if there is any weekend which is falling between the input date and duration ,it will not count the weekend as number of days and provide the result .
    Please find the example ,In the below code
    VarTimeExp = 25.07.2014
    ConstDuraExp = 5days
    VarTimeExp will contain the output/result =  Date provided in the ZRC04_01 - Duration of 5 days in ConstDuraExp.
    Result = 20.07.2014 . It is considering the weekends in counting number of days
    Expected result - 18.07.2014, should not consider the weekends
    Note -  The factory calendar is already set and badi is implemented
    Case 1
    <?xml version="1.0"?>
    <TimeRule>
       <TimeRuleSource>
          <ruleline>
             <AssignTimeExp displaytype="AssignTime">
                <VarTimeExp displayType="VarTime"  name="RESULT"   position='B'>
                  <VarObjectExp displaytype="VarObject"  name="ZXXX001"/>
                </VarTimeExp>
                <MoveTimeExp displaytype="MoveTime" direction="-">
                   <VarTimeExp displayType="VarTime"  name="ZRC04_01"  position="B">
                    <VarObjectExp displaytype="VarObject"   name="ZXXX001"/>
                   </VarTimeExp>
                   <VarDuraExp displaytype="VarDura"  name="ZRC04_D4" timeunit="DAY">
                      <VarObjectExp displaytype="VarObject"   name="ZXXX001"/>
                   </VarDuraExp>
                </MoveTimeExp>
             </AssignTimeExp>
          </ruleline>
       </TimeRuleSource>
    </TimeRule>
    but when i implement the Case 1  code i am not getting the desire result . Please find the screen shot .
    Please provide your input on the above scenario and do let me know if you need more information from my end .
    Thanks
    OM

    Hi All,
    The issue is resolved .The above rule will work perfectly fine , only we have to provide the missing configration in the system . Please find the same below
    Also if you want to have constant duration then the above configration is also not required the rule will work without the above configration . Please find the rule written - when you have constant duration .
    <?xml version="1.0"?>
    <TimeRule>
       <TimeRuleSource>
          <ruleline>
             <AssignTimeExp displaytype="AssignTime">
                <VarTimeExp displayType="VarTime"
                                   name="RESULT"
                               position='B'>
                  <VarObjectExp displaytype="VarObject"
                                    name="ZXXX001"/>
                </VarTimeExp>
                <MoveTimeExp displaytype="MoveTime" direction="-">
                   <VarTimeExp displayType="VarTime"
                                      name="ZRC04_01"
                                      position="B">
                     <VarObjectExp displaytype="VarObject"
                                    name="ZXXX001"/>
                   </VarTimeExp>
                   <ConstDuraExp displaytype="ConstDura"
                                    duration="5" timeunit="DAY">
                      <VarObjectExp displaytype="VarObject"
                                    name="ZXXX001"/>
                   </ConstDuraExp>
                </MoveTimeExp>
             </AssignTimeExp>
          </ruleline>
       </TimeRuleSource>
    </TimeRule>
    Thanks,
    OM

  • Daylight Savings Time Rule

    What would be the current <Daylight_Saving_Time_Rule ua="na"></Daylight_Saving_Time_Rule> for SPA504G? I am provisioning for east coast clients EST

    EST:
    Starts: Second Sunday in March
    Ends: First Sunday in November
    Time: 2 am local time
    So I assume it should be
    start=3/8/7/2:0:0;end=11/1/7/2:0:0;save=1

  • Time ruler AE CS5

    Hi
    If I have set a start and endpoint in the timeruler, how can I see this little mark erea as en animation ?

    Hi - Is this better to understand my question

  • Custom Fast formula for Time Entry Rule in OTL

    Hi,
    i have created custom validation for time entry rules. I need to validate where Project and task fields are null or not? If Yes, it has to fire the custom message that i have mentioned in function. Please check the below code and help me whether i am on right path:
    CREATE OR REPLACE FUNCTION NON_pto_against_projects (
    p_time_category_id NUMBER,
    p_person_id NUMBER
    RETURN VARCHAR2
    IS
    --Variables used for retrieving timecard id and ovn
    l_db_pre_period_start DATE;
    l_db_pre_period_stop DATE;
    l_time_building_block_id hxc_time_building_blocks.time_building_block_id%TYPE;
    l_object_version_number hxc_time_building_blocks.object_version_number%TYPE;
    --Variables used for loading timecard tables
    l_time_building_blocks hxc_self_service_time_deposit.timecard_info;
    l_time_app_attributes hxc_self_service_time_deposit.app_attributes_info;
    l_attributes hxc_self_service_time_deposit.building_block_attribute_info;
    --Variables used for getting exploded time details
    v_blocks_tab hxc_block_table_type;
    v_attr_tab hxc_attribute_table_type;
    l_messages_tab hxc_message_table_type;
    l_detail_blocks hxc_self_service_time_deposit.timecard_info;
    l_detail_messages hxc_self_service_time_deposit.message_table;
    CURSOR csr_category_elements (p_category_id NUMBER)
    IS
    SELECT 'ELEMENT - ' || TO_CHAR (value_id) element_type_string
    FROM hxc_time_category_comps_v
    WHERE time_category_id = p_category_id;
    l_cat_elements_string VARCHAR2 (2000);
    l_temp VARCHAR2 (1000); --Trace message
    l_success_flag CHAR (1); --Return values
    BEGIN
    --Initialize variables
    l_success_flag := 'S';
    l_time_building_blocks := hxc_self_service_time_deposit.get_building_blocks;
    l_attributes := hxc_self_service_time_deposit.get_block_attributes;
    v_blocks_tab :=
    hxc_deposit_wrapper_utilities.blocks_to_array (l_time_building_blocks);
    v_attr_tab :=
    hxc_deposit_wrapper_utilities.attributes_to_array (l_attributes);
    IF v_blocks_tab.FIRST IS NOT NULL
    THEN
    Take each ELEMENT type attribute, and search whether PROJECTS type attribute exists for the SAME BLOCK-START
    FOR index1 IN v_attr_tab.FIRST .. v_attr_tab.LAST
    LOOP
    IF v_attr_tab (index1).attribute_category = 'ELEMENT - %'
    THEN --Element attr
    FOR element_rec IN csr_category_elements (p_time_category_id)
    LOOP
    If Element Attribute matches any of the NON-TOP elements in the Time Category-START
    IF v_attr_tab (index1).attribute_category =
    element_rec.element_type_string
    THEN
    Check PROJECTS Attributes project and task belonging to ELEMENT attribute's owner block-START
    l_success_flag := 'E';
    FOR index2 IN v_attr_tab.FIRST .. v_attr_tab.LAST
    LOOP
    IF v_attr_tab (index2).attribute_category LIKE
    'PROJECT - %'
    AND v_attr_tab (index2).building_block_id =
    v_attr_tab (index1).building_block_id
    AND v_attr_tab (index2).attribute1 IS NOT NULL
    AND v_attr_tab (index2).attribute2 IS NOT NULL
    THEN
    l_success_flag := 'S';
    EXIT;
    END IF;
    END LOOP;
    IF l_success_flag = 'E'
    THEN
    RETURN 'E';
    END IF;
    Check PROJECTS Attributes project and task belonging to ELEMENT attribute's owner block-END
    END IF;
    If Element Attribute matches any of the NON-TOP elements in the Time Category-END
    END LOOP;
    END IF; --Element attr
    END LOOP;
    Take each ELEMENT type attribute, and search whether PROJECTS type attribute exists for the SAME BLOCK-END
    END IF;
    RETURN l_success_flag;
    EXCEPTION
    WHEN OTHERS
    THEN
    RAISE;
    END NON_pto_against_projects;

    INPUTS ARE resource_id (number)
    , submission_date (text)these inputs are passed in PLSQL Code and some of them in formula context
    2. While we define a new context for a time entry rule. How is the data that we enter in the time entry rule passed to the fast formula?See the time Rule entry screen and you will find the parameters window there.

Maybe you are looking for

  • Itunes will not start and keep getting send error report to MS message

    I had a system crash and have re-built the sytem with XP Professional SP2 with all upto date patches. Symantec Norton Internet Security 2007. Downloaded the latest Itunes and Quicktime update on Monday evening and now every time I click on the Itunes

  • AUtomatic Connection to Internet over wifi not working

    Hi, How do I get my intel iMac G5 to connect automatically by airport to my wireless network without having to manually do it everytime after start up or sleep? It works on my other ppc imac G5. Thanks in advanced, Matt

  • Problem when upgrading to 2004s - Table Tree

    Hello everyone, I'm having a problem with a project that i made in 2004 and now i need to migrate to 2004s. In a view, i have a table with tree using a master column. When i choose o child to process, i do something like this:      IPrivateTestView.I

  • Itunes stopped working when i connect my iphone 4s "IOS 8.1" in windows 8

    when i connect my iphone 4s to thw windows 8 and open itunes it opens for few seconds and it displays "Itunes stooped working" though i have latest version of itunes and my iphone is also up-to-date. please give a valid and quick solution to this...

  • Stop native call from java

    I know there are topics related to timeout, stop or kill native call but it seems there is no good answer for me. I have a java class as the caller to call a native C function with double arrays as input. The C function perform some kind of computati