Record type - Am I doing something wrong here

Hi,
I am writing a package for testing and I am facing issue in compiling this package.
I am getting error
PLS-00302: component 'ID' must be declared.
PLS-00302: component 'STEP_ID' must be declared.
PLS-00302: component 'STTS' must be declared.
I am using record type. Below is the test code.
I am on 10.2.0.4.0
create table T1
   (id number,
    dtl_desc varchar2(400)
create table T2
   (step_id number,
    id number,
    stts varchar2(400)
create package pkg_1
as
type g_typ_stup_rec is record
     id  t1.id%type,
     step_id t2.step_id%type,
     stts  t2.stts%type
g_ty_stup_tab is table of g_typ_stup_rec;
procedure pr_stup_rec
     i_id in t1.id%type := 1,
     i_step_id in t2.step_id%type := 1,
     i_stts in t2.stts%type := 'SUCS',
     o_rec out g_ty_stup_tab
end ;
create package body pkg_1
as
procedure pr_stup_rec
      i_id in t1.id%type := 1,
      i_step_id in t2.step_id%type := 1,
      i_stts in t2.stts%type := 'SUCS',
      o_rec out g_ty_stup_tab
   is
   l_v_id t1.id%type;
   l_v_step_id  t2.step_id%type;
   select
       s_id.nextval
   into
       l_v_id
   from
       dual;
   select
       s_step_id.nextval
   into
       l_v_step_id
   from
       dual;
   o_rec.id      := l_v_id;
   o_rec.step_id := l_v_step_id;
   o_rec.stts    := i_stts ;
end pr_stup_rec;
procedure g_sp_ins_rec
      i_ins_rec in g_ty_stup_tab
   is
   insert into t1
    (id,
     desc
    values
     i_ins_rec.id,
     'TEST'
    insert into t2
       step_id,
       id.
       stts
      values
       i_ins_rec.step_id,
       i_ins_rec.id,
       i_ins_rec.stts
   commit;
end g_sp_ins_rec;
end pkg_1 ;
Appreciate if you can point out what I am doing wrong here.
Thanks in advance
TA
Edited by: user572194 on Feb 1, 2012 1:22 PM
Edited by: user572194 on Feb 1, 2012 1:34 PM

Surely, though, you have the ability to actually create these objects in your system (or in some local development environment) in order to verify that the code you're posting compiles and shows the problem you're trying to demonstrate, right?
Your package definition, for example, fails to compile because you're missing the TYPE in your declaration of G_TY_STUP_TAB
SQL> ed
Wrote file afiedt.buf
  1  create or replace package pkg_1
  2  as
  3  type g_typ_stup_rec is record
  4     (
  5       id  t1.id%type,
  6       step_id t2.step_id%type,
  7       stts  t2.stts%type
  8     );
  9   type g_ty_stup_tab is table of g_typ_stup_rec;
10   procedure pr_stup_rec
11     (
12       i_id in t1.id%type := 1,
13       i_step_id in t2.step_id%type := 1,
14       i_stts in t2.stts%type := 'SUCS',
15       o_rec out g_ty_stup_tab
16     );
17*  end ;
SQL> /
Package created.Your package body is missing the BEGIN statements in both of the procedure definitions. Then it references the old DESC column from T1 which needs to be changed to DTL_DESC. Then, you're missing a couple of sequences. Once all those items are fixed, I think we're down to the compilation errors that you're originally talking about
SQL> create or replace package body pkg_1
  2   as
  3   procedure pr_stup_rec
  4      (
  5        i_id in t1.id%type := 1,
  6        i_step_id in t2.step_id%type := 1,
  7        i_stts in t2.stts%type := 'SUCS',
  8        o_rec out g_ty_stup_tab
  9     )
10  is
11     l_v_id t1.id%type;
12     l_v_step_id  t2.step_id%type;
13  begin
14     select
15         s_id.nextval
16     into
17         l_v_id
18     from
19         dual;
20     select
21         s_step_id.nextval
22     into
23         l_v_step_id
24     from
25         dual;
26     o_rec.id      := l_v_id;
27     o_rec.step_id := l_v_step_id;
28     o_rec.stts    := i_stts ;
29  end pr_stup_rec;
30  procedure g_sp_ins_rec
31     (
32        i_ins_rec in g_ty_stup_tab
33     )
34     is
35  begin
36     insert into t1
37      (id,
38       dtl_desc
39      )
40      values
41      (
42       i_ins_rec.id,
43       'TEST'
44      );
45      insert into t2
46        (
47         step_id,
48         id.
49         stts
50        )
51        values
52        (
53         i_ins_rec.step_id,
54         i_ins_rec.id,
55         i_ins_rec.stts
56        );
57     commit;
58   end g_sp_ins_rec;
59   end pkg_1 ;
60  /
Warning: Package Body created with compilation errors.
SQL> sho err
Errors for PACKAGE BODY PKG_1:
LINE/COL ERROR
26/4     PL/SQL: Statement ignored
26/10    PLS-00302: component 'ID' must be declared
27/4     PL/SQL: Statement ignored
27/10    PLS-00302: component 'STEP_ID' must be declared
28/4     PL/SQL: Statement ignored
28/10    PLS-00302: component 'STTS' must be declared
36/4     PL/SQL: SQL Statement ignored
42/16    PL/SQL: ORA-00984: column not allowed here
42/16    PLS-00302: component 'ID' must be declared
45/5     PL/SQL: SQL Statement ignored
45/17    PL/SQL: ORA-00913: too many valuesThose errors are the result of treating a nested table of records as if it was a single record. pr_stup_rec is defined to return a collection of records. If you're using a collection of records, you'd have to initialize the collection and you'd have to reference a particular element of the collection when you wanted to assign values. Something like this, for example, will declare a local variable of type pkg_1.g_ty_stup_tab, initialize the collection, add an element to the collection, and assign the values to the individual components of the record that is the first element in the collection
SQL> ed
Wrote file afiedt.buf
  1  declare
  2    l_collection pkg_1.g_ty_stup_tab := new pkg_1.g_ty_stup_tab();
  3  begin
  4    l_collection.extend;
  5    l_collection(1).id := 1;
  6    l_collection(1).step_id := 10;
  7    l_collection(1).stts := 'Foo';
  8* end;
SQL> /
PL/SQL procedure successfully completed.Alternately, you could create a record type and add that as an element in your collection
SQL> ed
Wrote file afiedt.buf
  1  declare
  2    l_collection pkg_1.g_ty_stup_tab := new pkg_1.g_ty_stup_tab();
  3    l_record     pkg_1.g_typ_stup_rec;
  4  begin
  5    l_collection.extend;
  6    l_record.id := 1;
  7    l_record.step_id := 10;
  8    l_record.stts := 'Foo';
  9    l_collection(1) := l_record;
10* end;
SQL> /
PL/SQL procedure successfully completed.But it's not obvious to me that you actually want to use a collection here. Perhaps you want your procedures to simply return a single record.
Justin

Similar Messages

  • 2,900 songs, 23GB?? false advertising, or I'm doing something wrong here...

    Complete novice here. Just bought Ipod touch 16gb then upgraded to the 32 GB because I got about halfway through loading my CDs into iTunes when I noticed the GB showing in iTunes was exceeding the 16 GB Ipod... 16gb was advertised to hold ~3,500 songs along with hours and hours of video. So now I am up to 2,900 songs and it's 23GB - there's got to be something wrong here. If I go further, I won't be able to fit onto the new 32GB, nevermind even being able to put video, etc on it!! Talked to a guy at Best Buy and he was perplexed and felt that 2,000 songs should only be about 8GB..
    From spending hours on these boards looking for info, it appears that my import settings that were the default in iTunes (that I downloaded on 3/26/09) of AAC format and iTunes Plus, results in large file sizes....
    I have literally spent DAYS importing CDs and really don't want to redo it under different import settings... I noticed when I right click on my Itunes music folder>properties>general tab > click on advanced attributes, there is a checkbox that I can compress contents to save disk space.
    So question is
    1. is the above method appropriate to compress the files
    2. is there an easier way to 'convert' all my imported music (currently showing as MP4) to MP3 that would be smaller file size (if so, is there a downside to doing this?)
    3. could there be other reasons for this large file size or other ideas/suggestions??
    Thanks in advance!
    Tara

    Hey, now. This line scares me:
    "I guess I'll learn more over time about what material I want to carry around with me on the iPod vs. keeping stuff on the computer as I get used to it!"
    You should always keep it on the computer. If the only copy of a song is on your iPod, you are setting yourself up for a minor disaster. Sooner or later you will need to restore the iPod. There are any number of issues that can cause it to get wonky and unusable. When that happens, the troubleshooting always has the step "restore your iPod" somewhere in the order of repair.
    When you reach that step, *everything on the iPod is erased*. If you only had content on the iPod, not on your computer (or at least on a backup) you will lose the content. Period. No chance to recover it.
    Please, if you insist on deleting from the computer, ensure you backup. Heck, backup anyhow. It just makes good sense.

  • Using Pages for e-books - am I doing something wrong here?

    Hi!
    I wrote 5 e-books with a total of around 1.500 pages in Pages. Great program
    Now I wanted to apply a template but in a mix og horror and frustration, I'm not sure if I got all this wrong.
    Can't I apply a template on a document already written? I bought a template with 10-12 different page setups, looking really nice.
    It's like I can only add new pages and move my text to them, page by page and I'm NOT going to do that with 1.500+ pages :s
    Am I doing this wrong? Is Pages the wrong choise for this?
    If not, what program would be the one to use for setting up my books?
    Thanks in advance for any feedback

    Pages templates do not work in this way, they have fairly poor templating and styling methods.
    If it is simply a matter of styling a lot of word processing you could open the previous work in Pages *Word Processing mode* and replace each style with an edited version of itself. Replacing colors is not so easy and layout extremely difficult.
    Pages does not have the efficient keyboard methods of applying styles, that more capable DTP packages have. So applying the styles is tedious.
    Even with styling unless you had been extremely careful dividing your paragraph, character and list styles you will likely have a lot of manual work to do. Pages does not have a method that I know of to show unstyled text that would drop through the cracks of any changes.
    If you did the previous work in *Layout mode*, you may as well start from scratch, there would be too much manual adjustments etc to make it worthwhile.
    To get the sophisticated updating of firstly styled text, you would need a DTP program that allows direct exchange of styles. To have the ability to change layout you really would need Adobe InDesign.
    Peter

  • TransactionScope has no effect - am I doing something wrong here ?

    I've so far been unable to get TransactionScope working with the Oracle 10g express database I'm using for development (have yet to try with other versions of Oracle).
    I suspect the problem is simple that the 2.0 ODP beta still doesn't have support for it.
    I'm looking at potentially switching to SQL-Server for our current project if I won't be able to use TransactionScope with Oracle in the near future (a month or two tops.).
    I've been redirected here by John Balogh from Oracle support who tells me that a member of the ODP development team should be able to answer my questions here.
    I've included the version details and a piece of sample code below:
    .NET runtime: 2.0.50727
    ODP: 10.2.0.100
    Oracle db: 10g express (will be upgraded to a full 10g version when we start deploying to the test servers in the coming weeks)
    using System;
    using System.Collections.Generic;
    using System.Text;
    using System.Transactions;
    namespace OracleTransactionScope
    class Program
    static void Main(string[] args)
    //create table for testing
    string connectionString = "Data Source=xxx;User Id=xxx;Password=xxx";
    Oracle.DataAccess.Client.OracleConnection conn = new Oracle.DataAccess.Client.OracleConnection(connectionString);
    conn.Open();
    Oracle.DataAccess.Client.OracleCommand com = new Oracle.DataAccess.Client.OracleCommand();
    com.CommandText = "drop table TBL_TEST";
    com.Connection = conn;
    try
    com.ExecuteNonQuery();
    catch (Oracle.DataAccess.Client.OracleException oe) { }
    com.CommandText = "create table TBL_TEST ( TEKST VARCHAR(4000 BYTE) )";
    com.Connection = conn;
    com.ExecuteNonQuery();
    com.CommandText = "insert into tbl_test values('initial value')";
    com.ExecuteNonQuery();
    conn.Close();
    //update table inside a transactionscope without completing it - should rollback any changes
    using (TransactionScope scope = new TransactionScope())
    conn = new Oracle.DataAccess.Client.OracleConnection();
    conn.ConnectionString = connectionString;
    conn.Open();
    com = new Oracle.DataAccess.Client.OracleCommand();
    com.Connection = conn;
    com.CommandText = "update tbl_test set TEKST = 'this should be rolled back'";
    com.ExecuteNonQuery();
    conn.Close();
    //at this point the contents of the TBL_TEST table should be "initial value" but are
    //in fact "this should be rolled back". This test setup works fine when run against a
    //MS SQL Server

    Again, all I am doing is :
    [TestFixture]
    public class TestClass
    private const string tam0ConStr =
    "Data Source=tam0; enlist=true;" +
    "User Id=A01IEE;Password=********" +
    "Min Pool Size=5;Max Pool Size=25;" +
    "Incr Pool Size=10;Decr Pool Size=5;";
    private const string conStr =
    "Data Source=dbc3; enlist=true;" +
    "User Id=cjb6268;Password=********;" +
    "Min Pool Size=5;Max Pool Size=25;" +
    "Incr Pool Size=10;Decr Pool Size=5;";
    private readonly string sql = string.Format(
    "Insert Into CBCSupport.TestTable" +
    "(TestText)Values('{0:HH:mm:ss}')",
    DateTime.Now);
    [Test]
    public void TestTxScope()
    using (var scop = new TransactionScope(TransactionScopeOption.RequiresNew))
    var con = new OracleConnection(conStr);
    var cmd = new OracleCommand(sql, con)
    {   CommandType = CommandType.Text,  CommandTimeout = 20};
    cmd.Connection.Open();
    cmd.ExecuteNonQuery();
    //scop.COmplete();
    And even though the scop.complete is commented out, the insert is committed, and is visible frm SQL Plus... Indeed, if I stop the code immediately after the cmd.ExecuteNonQuery(); , before the transactionScope dispose executes, I still can see the new row in the table...
    How do you get this to work ??

  • HT5824 Merging all my contacts on my iphone and those in iCloud seems impossible, I'm i doing something wrong here?

    I am having difficulty merging all my contacts: some on my phone, and others in my iCloud account. is there a way to do this?

    Welcome to the Apple Community.
    Have you tried turning contact syncing off (settings > iCloud), choosing keep on phone when prompted then re-enabling cotact syncing and choosing merge when prompted.

  • Am I misunderstanding stateful webservice or doing something wrong?

    Hi there...
    I am trying to create a stateful webservice... this is what I did exactly in JDeveloper
    1: created the following class
    *public class test {*
    public int O;
    *public test() {*
    *public String getIt() {*
    O++;
    return String.valueOf(O);
    2: Created a webservice out of it exposing the getIt method. I made sure that it is a stateful webservice. I set its scope to be for the session, lasting for 3000 second.
    3: run the webservice
    4: connected to it from VB.NET using the wizard
    5: adding the following code in vb :
    Dim J As New ServiceReference1.MyWebService1Client
    J.Open() ' open the connection with the service
    For I = 1 To 100  ' execute the call 100 times
    MsgBox(J.getIt) ' call the method and display the result in a message box
    Next
    J.Close() ' close the connection
    what I was expecting is that the counter should return the the values 1,2,3,...
    however what I am getting is the value 1 all the time. This means that the object test is being destroyed and created again with each call.
    I am doing something wrong here for sure, what I want to do is that the object test is being created once , and it should last for the whole session so that I can get the values 1,2,3,4, .
    kindly if you know how what I am doing wrong let me know.
    thanks.

    Hi there...
    thank you so much for these links. I just modified the webservice to generate an application module and store it in the session of the user. When doing multiple calls I was able manage different transactions.
    for now I am not releasing the application module. The question is now if the session of the user is destroyed, will all the resources of the application module go back to the system? I assume so...
    thanks again for your help.
    yours
    mkaatr

  • HT201318 Hello. I have just built a website using iWeb but cannot upload it. I curently have the 25gb account. There doesn't appear to be any facility here for the net. ASm I correct in thinking I need an upgrade, or am I doing something wrong?  Thanks

    Hello. I have just built a website using iWeb but cannot upload it. I curently have the 25gb account. There doesn't appear to be any facility here for the net. Am I correct in thinking I need an upgrade, or am I doing something wrong?  Thanks

    iCloud does not provide website hosting. You will need to find another website hosting service - there are many to choose from - and upload your site there. How you do this depends on what version of iWeb you have.
    In order to upload your existing site in iWeb '09 and above:
    Click on the name of the site in the sidebar: the publishing settings pane will open. Set 'Publish to' to 'FTP'. Enter the name of the site and a contact address (if desired).
    In the 'FTP Server Settings' section you will need to know the server address (your hosting service can tell you that), and your username and password for that service. Your site will be published in a folder with its name at root level of the server, with an index.html file at root level (which will overwrite any index.html file which may be there already). The 'Directory/Path' field may need to include a path such as '/webspace/' or 'ht_docs/' - this is dependent on your hosting service and they should tell you this. If you want to publish within a folder you can add that to the path.
    You can then click the 'Test connection' button so that iWeb can check that it can get access to your server space. You should enter the URL of the site in the 'URL' field so that rss feeds and internal links have the correct address.
    To publish using an earlier version of iWeb:
    From the File menu choose 'Publish to a folder'. You should create a folder somewhere convenient specifically for this and choose it when publishing to a folder: this folder should not contain anything else.
    You now need an FTP program (FTP is the 'protocol' used for uploading) to upload the contents of the folder to your server.Cyberduck is free (donation requested): Transmit is $34 but I think better. You will need the server address (your hosting service can tell you that), and your username and password for that service. You can drag the contents of your folder to your webspace, or create a folder there and drag the contents to that if you prefer.
    Some facilities that iWeb provided when hosted on MobileMe will not work on other servers: comments on weblogs and photos, password-protecting your site (some hosts may provide this), searching in the weblog, and a hits counter (again, some hosts can provide code for this). Slideshows in iWeb will work on other hosts than MobileMe (they use different code when FTPing which doesn't depend on scripts hosted on MobileMe as the MobileMe version does); however there is an issue with the 'buttons' which control the slideshow which are images hosted on me.com - these depend on images which used to be hosted on MobileMe. The poster 'Old Toad' on the Apple Forums has provided a workaround, described at http://oldtoadstutorials.net/No.26.html.

  • Surprisingly jaggy output - am I doing something wrong?

    Look at these examples:
    http://www.reesweb.com/samples/jaggy/
    The first is a screencap of the fullscreen view in Aperture. The image is a 1728x1153 crop from an 8mp original. Not a great picture, but it looks OK.
    The second is that same version exported as a full-quality jpeg set to "fit within 1280 x 1280." Jaggy!
    What's going on here? The results are so bad that I must be doing something wrong. All I'm doing is selecting the 1728 version, choosing export version, and selecting the export option (JPEG - fit within 1280 x 1280).
    The third image, btw, was produced by exporting the cropped original as PSD and doing the resize/jpeg encoding in Photoshop. Looks much better.
    And thoughts about what's going on here?
    Will
    Dual Core 2.3GHz PowerMac G5, 2GB RAM, GeForce 6600   Mac OS X (10.4.6)   Canon Digital Rebel XT, Edirol UA-5

    OK, it looks like the jagginess only happens when I set the export DPI to 300 with my particular original and export sizes. When I set it to 72, the exported version looks fine and is not jaggy.
    I see the same behavior for jpgs, tiffs, and psd.
    I also tried with some small sizes and found something else. When you export to "fit within 320 x 320" and you choose 72 DPI, the image gets sharpened. If you choose 300 DPI the image is not sharpened. Strange. Maybe there's a reason for that I don't get.
    This is what I'm seeing for all export types (jpgs, tiffs, etc) starting with a 1728 x 1153 image:
    320 x 320, 72 DPI: sharpened nicely
    320 x 320, 300 DPI: not sharpened, soft but no jaggies
    640 x 640, 72 DPI: sharpened nicely
    640 x 640, 300 DPI: not sharpened, soft but no jaggies
    800 x 800, 72 DPI: sharpened nicely
    800 x 800, 300 DPI: not sharpened, soft but no jaggies
    1024 x 1024, 72 DPI: sharpened nicely
    1024 x 1024, 300 DPI: sharpened but with nasty jaggies
    1280 x 1280, 72 DPI: sharpened nicely
    1280 x 1280, 300 DPI: sharpened but with nasty jaggies
    Original Size, 72 DPI: It doesn't look sharpened at all, no jaggies
    Original Size, 300 DPI: It doesn't look sharpened at all, no jaggies
    50% Size, 72 DPI: sharpened nicely
    50% Size, 300 DPI: not sharpened, soft but no jaggies
    25% Size, 72 DPI: sharpened nicely
    25% Size, 300 DPI: not sharpened, soft but no jaggies
    And more data, but this time starting with a 3456 x 2298 (digital rebel default) image:
    1280 x 1280, 72 DPI: sharpened nicely (some images a bit too much)
    1280 x 1280, 300 DPI: not sharpened, soft but no jaggies
    So it looks like the combination of using 300 DPI and certain original and export sizes can result in some nastiness.
    It is also interesting to note that in most situations, using 300 DPI turns off or greatly reduces the automatic export sharpening. Juicy info for those looking for ways to circumvent that feature.
    Will
    Dual Core 2.3GHz PowerMac G5, 2GB RAM, GeForce 6600   Mac OS X (10.4.6)   Canon Digital Rebel XT, Edirol UA-5

  • Update to 9.3.2 - doing something wrong

    Hi,
    I have a DVD of Acrobat 9.0.0 - licensed for 80 users and most users currently running 9.3.0 (each user previously updated manually).
    I want to automate the installation of 9.3.2 but it's not working. Here's what I've done so far.
    1. Copied the installer files from the DVD to the local disk
    2. Downloaded all the quarterly .msp files to 9.3.2 and run msiexec.exe /a AcroPro.msi and pointed to a local AIP directory
    3. From the AIP dir, run the commands to apply the msp eg msiexec.exe /a AcroPro.msi /p <mspFilename>
    This all seems to work well, but I then want to use the customisation wizard to customise but this is where it all start going wrong.
    Here what i've done at this point (probably very incorrectly!!)
    1. In the customisation wizard, Copied and opened the .msi from the AIP directory as stated above.
    2. Made changes and clicked save - at this point i'm told that the setup.ini is missing and that's becase it's not in the AIP dir.  If I copy the original setup.ini or create a blank it saves OK and create the transform file, but when i try to run the AcroPro.msi it does not keep the changes made in the customisation wizard so I'll clearly doing something whong here!!  If I customise the DVD source files, it seems to apply the changes when I run the setup.exe rather that the .msi.
    Would someone be kind enought to point out where I'm going wrong?  Thanks in advance. 

    Thanks
    This seems to be working now - at first, I dont think I copied the transform file stating that older versions should be uninstalled but now it seems to be working via a log off script.
    The log-off script looks for the log file left by v932 and if not present, copies the source files, mst amd msp to the local machine and installs - that's the theory.   It should now be fairly straight forward to apply the next adobe quarterly update..........touch wood!!

  • In OS X Mavericks using Safari, the search bar at the top that i had on the previous system disappears only reappearing in the full screen. Do i have to go into full screen every time? Bit of a pain but no doubt I'm doing something wrong!

    In OS X Mavericks using Safari, the search bar at the top that i had on the previous system version disappears only reappearing in the full screen. Do i have to go into full screen every time? Bit of a pain but no doubt I'm doing something wrong!

    Those are all fine
    Here is how to see RAM overloaded…
    Reboot to see the system in it's default state.
    Open TextEdit for the sake of it
    Open Activity Monitor & Terminal from /Applications/Utilities.
    Select the Memory tab
    In Terminal enter the following command
    memory_pressure -l critical
    # note that is a lowercase L
    RAM usage will climb, compression will begin the VM will become way more than the system has installed.
    Eventually the system will start swapping  (look for RED) - Watch the 'memory pressure' & 'Swap used' as this happens.
    Try switching to TextEdit - the system is still coping !
    Switch back to Terminal & hit ctrl+c to stop the process.
    Watch the VM & memory pressure return to normal levels.
    This OS kicks 4ss !
    Your problems may lie elsewhere

  • GPS Navigation App that doesn't suck?? Or am I doing something wrong?

    I started off with a droid 2 before I got my iphone 4.  The droid 2 gps was phenomenal, I had no problems with it.  Then I got an iphone which I assumed was going to be just as good if not better than the droid's gps.  Boy was I wrong!  The "Maps" app that came with the iphone did not re-route itself EVER when I was in a big city and I ened up getting lost.
    So one of my friends downloaded the "Waze" app, which is ok.  I mean it does work it's still not the greatest.  My issue with that one is that it doesn't say "take next right exit 172B" it just says, "turn right here."
    Now it's very possible that *I* am the one doing something wrong, I tried going through the settings but I still couldn't figure it out.  Can someone please help me? 

    The store category "Navigation" has a ton more than 10 apps in it, but they are geared toward a great many different things - from geocaching, to hiking, sailing, driving, orienteering, finding your parked car,....
    If you want to search, you need to search for something more specific, like "road navigation" or "street navigation"
    I know in there you should find Garmin, TomTom, MotionXGPS Drive, Verizons nav app (requires a subscrition added to your plan), AT&T Navigation app (also, needs service added to plan), and several others.
    Most of the top sellers and best rated will be right there on the first screen if you go to categories - Navigation

  • IndentAndSpacingFormat - Bug in API or am I doing something wrong?

    I have a FieldObject in my report with double line spacing (LineSpacing=2) and then try following code to see its spacing format:
    double lineSpacing = myFieldObject.FieldFormat.StringFormat.IndentAndSpacingFormat.LineSpacing;
    Unfortunately this returns 1 instead of 2! It always returns 1, no matter which field object I try it for. Am I doing something wrong?
    Thanks in advance...

    Hi John,
    I've duplicated the issue. It seems to be a problem only when the field type is defined as Memo in CR Designer. If the field is a String type then it returns the correct value.
    I'll have to escalate this to R&D to fix. It will take 2 or more months depending on their load or more.
    Verified indents do not return the correct value also. Likely related to the field type.
    Thank you
    Don
    Edited by: Don Williams on Jan 29, 2009 2:17 PM
    Edited by: Don Williams on Jan 29, 2009 2:46 PM

  • I just tried to install iOS7... and i think I'm doing something wrong...

    It brought me to this white screen that says "Hello" and "Slide for passcode" and i did that... but I tried to enter my normal phone 4 digit password and it just won't let me in? Am I doing something wrong? It just won't let me in no matter what I type.... and it's not letting me create a new passcode??

    it's not... it just says "enter passcode" above and the numbers..... and it says "emergency" and "cancel"... that's all.

  • Presets - am I doing something wrong?

    Wonder if someone can quickly tell me what I'm doing wrong here.
    I'm trying to add a preset which I can drop onto other clips quickly and easily.
    I take a clip and apply the effect I want to it. I then choose that effect in the Effects Control Window and try and "Save Preset" but it is greyed out. Am I missing an obvious step here?????

    Hi Tom - thanks for your reply - however, I think you've just verified that it simply isn't working for me as that is exactly what I have done. I noticed it was greyed out and thought I would do all the changes in the Effects Control panel itself but even when I create it from scratch in there or change an already created effect then it still stays greyed out for me. It is the Time Remapping I'm trying to do here as well.
    The problem with the Copy and Paste attribute is that doesn't work properly either!!!! I've created a 50% speed remap - but when I copy it and paste attribute - although it says it's 50% it clearly isn't and sometimes is only about 10% longer than the original clip. It appears to be another bug in the software although I was hoping I was doing something wrong!!
    Thanks for your reply anyway though.

  • DVD's don't always play...am I doing something wrong?

    Hey, sorry if this has been posted several times before...I have dvds that play fine on higher end dvd players, but won't on "off" brand players...I'm using FCP4 and DVDStudio Pro3. I use compressor from FC and export as mpeg 2 with a 2hour setting. I then imput the compressor Audio/video files into DVD SP, build and format the dvd. I don't have any problems playing on a good player, but my clients complain that they have problems on an off brand player...is this to be expected on these consumer created dvds, or am I doing something wrong? Thankyou for your input

    ok, i'm looking at compressor and don't see the audio format that has been talked about to use. The one that has been used is under the MPEG-2 120 Min high quality encode. The following is a copy and paste of the summary for each preset.
    Video Preset:
    Name: MPEG-2 120min High Quality Encode
    Description: 3.5Mbps,2-Pass VBR,4:3
    File Extension: m2v
    Video Encoder
    Format: M2V
    Width and Height: Automatic
    Pixel aspect ratio: default
    Crop: None
    Frame rate: (100% of source)
    Aspect ratio: 4:3
    Field dominance: Auto detect
    Average data rate: 3.5 (Mbps)
    2 Pass VBR enabled
    Maximum data rate: 7.5 (Mbps)
    High quality
    Best motion estimation
    Closed GOP Size: 1/2 second, Structure: IBBP
    DVD Studio Pro meta-data enabled
    Audio Preset:
    Name: DVD PCM Audio
    Description: AIFF 48Khz,16bit,Stereo
    File Extension: aiff
    Audio Encoder
    Format: QT
    Sample Rate: 48.000kHz
    Channels: 2
    Bits Per Sample: 16
    Codec Type: Uncompressed
    I looked under the different compression settings and it says the encoder is AIFF, but under the settings for it, it doesn't list AC3. My Compressor version is 1.2.1
    Also, how does all the settings look for the video...see any prolems that would explain the low end players messing up?
    Thanks again for the help...its appreciated!

Maybe you are looking for

  • Case when question

    Hi All, Is it possible to use case-when statement in this SQL query? select SUB_ID, count(T_ID),sum(TIME) from TABLE_A where SUB_ID <> ' ' and STARTDATE between :P6_DATE_FROM and :P6_DATE_TO CASE :P6_FILTER_BY WHEN '1' THEN 'and SUB_ID like :P6_FILTE

  • Images not showing up to upload (lightroom5)

    I just installed lightroom 5 onto my new laptop, I was half way through editing a shoot on my old laptop but it is having issues and running supper slow so i transfered the unedited and edited jpg images to my new laptop and saved them in a folder ca

  • Forms & Reports 6i to 11gR2 migration

    Hi,      We are migrating forms and reports from 6i version to 11gR2 64bit with windows 2008R2 SP1 server 64bit.      kindly mention what are the step to be followed for successful migration.      Please do share documents or links for references.   

  • LR purchase through Apple App Store, No available Upgrade to 4.2.

    Yeah, after downloading the update from the adobe site 3 to 4 times. I realized that I puchased LR through the APP store which doesn't allow for updates from the adobe website only the apple app store. I will never purchase a third party app from the

  • Time awareness of cnanging dimensions members

    Hi ssas changing dimensions are using startDate and endDate attributes to add relevant time range for thier members.  so when slicing time dimension only those who are relevant to that date are visible. I understand support for this interaction is de