Pulling in other data to DBI

Is it possible to pull in data and caculate variables on that data using DBI? For example, can I make a copy of the seeded On-hand Inventory Detail query in the Supply Chain MFG resp, add a column to it showing open sales order quantities? And then create another column that caculates current OHQ & OOQ?
Thanks

You can use the DBI Designer. Find your DBI Inventory Report source using the DBI Admin responsability (you'll figure it out eventually), then create a view based on that source and map it to a report in DBI Designer. To be on the safe side you need to use dimensions already created within DBI, but it's ok to go on and do calculations on your facts. This way you miss quite a few automated features (the dropdown calendar and comparison), but it's a fast and easy path to develop new reports in DBI.
However you should use OBIEE/SEo if possible. The possibilities are endless there.
Good luck!

Similar Messages

  • Querying on a value and using that to pull other data in the same query

    I am having some issues pulling the correct data in a query. There is a table that houses application decision data that has a certain decision code in it, WA, for a particular population of applicants. These applicants also may have other records in the same table with different decision codes. Some applicants do NOT have WA as a decision code at all. What I need to do is pull anyone whose maximum sequence number in the table is associated with the WA decision code, then list all other decision codes that are also associated with the same applicant. These do not necessarily need pivoted, so long as I can pull all the records for a person whose highest sequence number is associated with WA and all of the other decision codes for that applicant for the same term code and application number also appear as rows in the output.
    I do not have the rights in Oracle to create tables, so please pardon if this code to make the table is incorrect or doesn't show up here as code. This is not the entire SARAPPD table framework, just the pertinent columns, along with some data to put in them.
    DROP TABLE SARAPPD;
    CREATE TABLE SARAPPD
    (PIDM              NUMBER(8),
    TERM_CODE_ENTRY   VARCHAR2(6 CHAR),
    APDC_CODE         VARCHAR2(2 CHAR),
    APPL_NO        NUMBER(2),
    SEQ_NO             NUMBER(2));
    INSERT INTO SARAPPD VALUES (12345,'201280','WA',1,4);
    INSERT INTO SARAPPD VALUES (12345,'201280','RE',1,3);
    INSERT INTO SARAPPD VALUES (12345,'201280','AC',1,2);
    INSERT INTO SARAPPD VALUES (23456,'201280','RE',1,2);
    INSERT INTO SARAPPD VALUES (23456,'201280','WA',1,3);
    INSERT INTO SARAPPD VALUES (23456,'201280','SC',1,1);
    INSERT INTO SARAPPD VALUES (34567,'201280','AC',1,1);
    INSERT INTO SARAPPD VALUES (45678,'201210','AC',2,1);
    INSERT INTO SARAPPD VALUES (45678,'201280','AC',1,2);
    INSERT INTO SARAPPD VALUES (45678,'201280','WA',1,3);
    INSERT INTO SARAPPD VALUES (56789,'201210','SC',1,2);
    INSERT INTO SARAPPD VALUES (56789,'201210','WA',1,3);
    COMMIT;I have attempted to get the data with a query similar to the following:
    WITH CURR_ADMIT AS
          SELECT   C.SEQ_NO "CURR_ADMIT_SEQ_NO",
                            C.PIDM "CURR_ADMIT_PIDM",
                            C.TERM_CODE_ENTRY "CURR_ADMIT_TERM",
                            C.APDC_CODE "CURR_ADMIT_APDC",
                            C.APPL_NO "CURR_ADMIT_APPNO"
                              FROM SARAPPD C
                              WHERE C.TERM_CODE_ENTRY IN ('201210','201280')
                              AND C.APDC_CODE='WA'
                             AND C.SEQ_NO=(select MAX(d.seq_no)
                                                   FROM   sarappd d
                                                   WHERE   d.pidm = C.pidm
                                                   AND d.term_code_entry = C._term_code_entry)
    select sarappd.pidm,
           sarappd.term_code_entry,
           sarappd.apdc_code,
           curr_admit.CURR_ADMIT_SEQ_NO,
           sarappd.appl_no,
           sarappd.seq_no
    from sarappd,curr_admit
    WHERE sarappd.pidm=curr_admit.PIDM
    and sarappd.term_code_entry=curr_admit.TERM_CODE_ENTRY
    AND sarappd.appl_no=curr_admit.APPL_NOIt pulls the people who have WA decision codes, but does not include any other records if there are other decision codes. I have gone into the user front end of the database and verified the information. What is in the output is correct, but it doesn't have other decision codes for that person for the same term and application number.
    Thanks in advance for any assistance that you might be able to provide. I am doing the best I can to describe what I need.
    Michelle Craig
    Data Coordinator
    Admissions Operations and Transfer Systems
    Kent State University

    Hi, Michelle,
    903509 wrote:
    I do not have the rights in Oracle to create tables, so please pardon if this code to make the table is incorrect or doesn't show up here as code. This is not the entire SARAPPD table framework, just the pertinent columns, along with some data to put in them. You really ought to get the necessary privileges, in a schema that doesn't have the power to do much harm, in a development database. If you're expected to develop code, you need to be able to fabricate test data.
    Until you get those privileges, you can post sample data in the form of a WITH clause, like this:
    WITH     sarappd    AS
         SELECT 12345 AS pidm, '201280' AS term_code_entry, 'WA' AS apdc_code , 1 AS appl_no, 4 AS seq_no     FROM dual UNION ALL
         SELECT 12345,           '201280',                    'RE',               1,             3                 FROM dual UNION ALL
         SELECT 12345,           '201280',                  'AC',            1,          2               FROM dual UNION ALL
    ... I have attempted to get the data with a query similar to the following:
    WITH CURR_ADMIT AS
          SELECT   C.SEQ_NO "CURR_ADMIT_SEQ_NO",
    C.PIDM "CURR_ADMIT_PIDM",
    C.TERM_CODE_ENTRY "CURR_ADMIT_TERM",
    C.APDC_CODE "CURR_ADMIT_APDC",
    C.APPL_NO "CURR_ADMIT_APPNO"
    FROM SARAPPD C
    WHERE C.TERM_CODE_ENTRY IN ('201210','201280')
    AND C.APDC_CODE='WA'
    AND C.SEQ_NO=(select MAX(d.seq_no)
    FROM   sarappd d
    WHERE   d.pidm = C.pidm
    AND d.term_code_entry = C._term_code_entry)
    Are you sure this is what you're actually running? There are errors. such as referencing a column called termcode_entry (starting with an underscore) at the end of the fragment above. Make sure what you post is accurate.
    Here's one way to do what you requested
    WITH     got_last_values  AS
         SELECT  sarappd.*     -- or list all the columns you want
         ,     FIRST_VALUE (seq_no)    OVER ( PARTITION BY  pidm
                                        ORDER BY      seq_no     DESC
                                  )           AS last_seq_no
         ,     FIRST_VALUE (apdc_code) OVER ( PARTITION BY  pidm
                                        ORDER BY      seq_no     DESC
                                  )           AS last_apdc_code
         FROM    sarappd
         WHERE     term_code_entry     IN ( '201210'
                           , '201280'
    SELECT     pidm
    ,     term_code_entry
    ,     apdc_code
    ,     last_seq_no
    ,     appl_no
    ,     seq_no
    FROM     got_last_values
    WHERE     last_apdc_code     = 'WA'
    ;Don't forget to post the results you want from the sample data given.
    This is the output I get from the sample data you posted:
    `     PIDM TERM_C AP LAST_SEQ_NO    APPL_NO     SEQ_NO
         23456 201280 WA           3          1          3
         23456 201280 RE           3          1          2
         23456 201280 SC           3          1          1
         45678 201280 WA           3          1          3
         45678 201280 AC           3          1          2
         45678 201210 AC           3          2          1
         56789 201210 WA           3          1          3
         56789 201210 SC           3          1          2I assume that the combination (pidm, seq_no) is unique.
    There's an analytic LAST_VALUE function as well as FIRST_VALUE. It's simpler (if less intuitive) to use FIRST_VALUE in this problem because of the default windowing in analytic functions that have an ORDER BY clause.

  • TS1503 How do I clear the 'other data' on my iPhone 4S? It is using 25% of the available memory.  I do not want to have to wipe it and then reset every thing I use.  That's why I have restore.  Except restore puts the other data back on the phone.

    I've come to the conclusion that Apple is no better than Microsoft.  There was a functional iTunes. I could sync music, playlists, etc; across my iPad and iPhone.  I can't now.  It now eats up storage on my devices with 'other data',  and Apple is silent on what is going on.   I currently have 2 iMacs, 2 iPads, a Macbook Pro, and an AirBook Pro.  I will stop purchasing Apple products.  It is a royal pain to fix anything.  This support page tries my patience to use.  I used to enjoy working with Apple products, simply because they functioned and where intuitive to use.  No more.  Music is impossible to sync across platforms using the same account.  Songs only, no playlists.  This is step back to the early year of systems.  No common data formats, zero portablity, and labor intensive. 
    Way to go Apple,  you've destroyed your reputation!

    Similar issue -- this is the third time in as many months that I've had to restore my iPad. It's a iPad Mini w/ 32GB (ME277LL/A), running the latest iOS8.1.2. The "other" data starts off about 1GB and will bob around that. I was careful about games this time, seeing only a slight rise in the data. Once it started to rise, I deleted all of the game and the data on Game Center. No joy -- the data stays about the same.
    Then I noticed it was really climbing -- shooting up to about 10GB and sitting there, no matter what I did: sync it: nothing. Deleting music (on the off chance it was album art or some such: nothing. Deleted all the books in iBooks: no effect -- still 10GB. Cleared the iCloud storage, cleared caches repeatedly: nothing. Reset everything: no effect. Only Restoring the iPad -- which takes forever and is a gigantic pain in the @$$ -- gets it down. This is exactly the same thing that happened the other two times -- I lose about 10GB to "other."
    I now suspect, thinking on what I was doing with the device, that pulling movies from iTunes seems to be the culprit. Deleting the movies might take the movie "off the iPad", but there seems to be a corresponding jump in Other. My guess is there's some glitch dumping the information elsewhere.
    It makes a 32GB iPad pretty frickin' close to useless in a remarkable amount of time. I've not had this issue until this iPad (bought last summer) with the iOS8 upgrade. I don't see this happen on the iPhone 5S with the same OS...that's why I dialed down to iTunes (when is it not smack in the middle of issues?) and Video as the culprit; I don't watch movies on the phone.
    I've noticed a massive amount of posts in support and around the web on this matter...it might be time for Apple to shift it and do something about the matter. If I'm going to be restricted to surfing the web, email, and little else thanks to the Other issue, it really doesn't make sense to stick with this device. I can doo all that on my laptop, can't it?

  • Pull Service tab data from Contract to Purchase order

    Hi All,
    I Just want to know if is possible to pull service tab data from contract to purchase order. When i create PO w.r.t Service Contract the data from the service tab is not pulled. So need help on how can I pull.
    Please help..
    Thanks,
    Ros

    Hi if u r referring service contract maintain it in the line item (Outline agreement no). All the other details will copied from Contract.
    Check it out
    Regards,
    Raman

  • How to sync/pull out 'phymyadmin' data into power pivot?

    Hi,
    i work for a one of the leading e-commerce companies in India. ( Lenskart.com ). I have just installed powerpivot and looking forward to using my database /crm data into power pivot as the data is into millions.. i have login info of my server/db . rest
    i do not knwo how to configure that to powerpivot so that i can pull out that data in powerpivot excel.. need hel to set it up..
    thanks..

    Hi Pranay,
    This is the set-up I use also. 
    You need to make sure you first have the ODBC MySQL Connector installed on your machine (presuming you are Windows):
    http://dev.mysql.com/downloads/connector/odbc/ 
    WINDOWS
    Then you need to go into "ODBC Data Sources". IF you are using Windows 8 or above simply type this into the start screen. Make sure you select the correct version i..e 64-bit if you are running a 64-bit system. 
    Click 'Add...'
    Choose your driver, for me this is 'MySQL ODBC 5.3 Unicode Driver'.
    Click "Finish".
    You well then be prompted with a configuration screen, the only info I have needed is:
    Data Source Name
    TCP/IP Server
    Port (usually 3306)
    User
    Password
    Database
    Click 'Test' to make sure the connection is working. In the past I have errors which were caused by my IP address not being added to the allow list on the server firewall, so be wary of this. 
    Click 'OK' and that is your connection done. 
    POWERPIVOT
    In powerpivot open your data model and then select 'From Other Sources'
    Choose 'Others (OLED/ODBC)'
    Enter a name for the connection.
    Click 'Build'
    Click the 'Provider' tab
    Click 'Microsoft OLD DB Provider for ODBC Drivers'
    Click 'Next'
    From the 'Use Data Source Name' select the data source you created above.
    Click 'Test Connection' 
    Click 'OK'
    Click 'Next'
    You will then have the option to either write your own query to extract data or to select from a list of tables. 
    Hope that helps!

  • Header Information Including a Max(FieldN) and then Pulling the field(Date) When Max Occurred

    Post Author: Skyeyes
    CA Forum: General
    Can anyone assist us as we have several columns we are displaying. One column called FieldN we gather the MAX from the column and want to place the Max(FieldN) in the header--this works.  Also next to FieldN where it is MAX we want to pull the field(Date) that MAX happened.  When we do the formula, it pulls the first date in the list, not of the MAX.
    MAX(FieldN)  & (Date)
    Any ideas would be helpful.  Thanks.

    Post Author: yangster
    CA Forum: General
    Give this a trystringvar fieldNDate := totext(FieldN)&totext(DATE);stringvar maxDate := nthlargest(1, fieldNDate);stringvar Datedisplay := right(maxDate, 6);so essentially you are trying to find the max date associated with the max fieldNthe nthlargest will find you the largest fieldN and its associated date since there could be multiple dates associated with the max fieldN fieldthe last string is just to strip the field and display only the datethis should work out you might have to tinker with the right to get your formatting.

  • HT5527 So how do I remove the storage amount? What pulls the most data?

    So how do I remove the storage amount? What pulls the most data?

    I assume this refers to icloud and not the storage on the device.
    You'd have to go into the various apps on your device that store data on iCloud and begin trimming files.  For example, Contacts and emails that are stored on icloud, must be deleted using the Contacts and Mail apps.  Be aware that deleting data from icloud will also remove if from your device.
    Backups:
    Go to Settings>iCloud>Storage & Backups>Manage Storage; there, tap the device you need info on and the resulting screen lists Backup Options with which apps store data on iCloud.  Turn off camera roll and any other apps that might have a lot of data.  Then delete the backup.  That will free up space.  Photos should be regularly synced to a computer (like you store photos from a digital camera) using either USB via iTunes (on a mac use iPhoto or Aperture to move them to an album) or using photo stream. Go to Settings>iCloud and turn that feature on. 
    Emails:
    Regarding emails, on the computer, move emails from mailboxes in icloud to those on the device.  That can also save a lot of space.
    Also see:  http://support.apple.com/kb/ht4847

  • Can any body tell me how to pull SAP-CRM data into BW

    Hi BW guru`s,
    Does anybody tell me how to pull SAP-CRM data into BW.
    Is there any configuaration setings takes place in CRM system or BW system?
    Provide few of CRM datasources names (Transaction data Datasources)
    Please explain indetail and give some examples.
    Thanks in advance,
    venkat

    Hi.......
    SAP CRM uses BW Adapter to extract data from SAP CRM and send it to SAP Business Information Warehouse and SAP NetWeaver Business Intelligence. For mBDocs, BW Adapter extracts objects for CRM business transactions and CRM billing use the BAdI CRM_BWA_MFLOW. However, in releases prior to SAP CRM 2005, after using transaction code RSA5 to activate business content in SAP CRM, you must use transaction code BWA5 to activate the business content for the BW Adapter.
    Check this link :
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/f2910623-0c01-0010-de8f-d1926988a986
    Hope this helps you.........
    Regards,
    Debjani........

  • Report Builder Wizard and Parameter Creation with values from other data source e.g. data set or views for non-IT users or Business Analysts

    Hi,
    "Report Builder is a report authoring environment for business users who prefer to work in the Microsoft Office environment.
    You work with one report at a time. You can modify a published report directly from a report server. You can quickly build a report by adding items from the Report Part Gallery provided by report designers from your organization." - As mentioned
    on TechNet. 
    I wonder how a non-technical business analyst can use Report Builder 3 to create ad-hoc reports/analysis with list of parameters based on other data sets.
    Do they need to learn TSQL or how to add and link parameter in Report Builder? then How they can add parameter into a report. Not sure what i am missing from whole idea behind Report builder then?
    I have SQL Server 2012 STD and Report Builder 3.0  and want to train non-technical users to create reports as per their need without asking to IT department.
    Everything seems simple and working except parameters with list of values e.g. Sales year List, Sales Month List, Gender etc. etc.
    So how they can configure parameters based on Other data sets?
    Workaround in my mind is to create a report with most of columns and add most frequent parameters based on other data sets and then non-technical user modify that report according to their needs but that way its still restricting users to
    a set of defined reports?
    I want functionality like "Excel Power view parameters" into report builder which is driven from source data and which is only available Excel 2013 onward which most of people don't have yet.
    So how to use Report Builder. Any other thoughts or workaround or guide me the purpose of Report Builder, please let me know. 
    Many thanks and Kind Regards,
    For quick review of new features, try virtual labs: http://msdn.microsoft.com/en-us/aa570323

    Hi Asam,
    If we want to create a parameter depend on another dataset, we can additional create or add the dataset, embedded or shared, that has a query that contains query variables. Then use the option that “Get values from a
    query” to get available values. For more details, please see:http://msdn.microsoft.com/en-us/library/dd283107.aspx
    http://msdn.microsoft.com/en-us/library/dd220464.aspx
    As to the Report Builder features, we can refer to the following articles:http://technet.microsoft.com/en-us/library/hh213578.aspx
    http://technet.microsoft.com/en-us/library/hh965699.aspx
    Hope this helps.
    Thanks,
    Katherine Xiong
    Katherine Xiong
    TechNet Community Support

  • How do I get rid of the "other" data on my iPhone 4?

    The "other" data on my iPhone 4 is currently taking up 4.5 gb of my 6.4 gb phone. As you can see I'm not very happy about this. I am basically limited too about ten apps and I cannot download iOS 7 due to my lack of storage. I was wondering if there were any ways to get rid if the "other" data without resetting my iPhone. I cannot reset my iPhone because my family has a shared data plan and a limited amount of storage to back up to on iCloud. We don't have enough storage on iCloud to backup the 5.8 gb I'm using because of the other data. Any help?

    You would need to restore the iphone.

  • My weather app in iOS 8 stopped working.  Either there are no temperatures of other data, or every city is 86 degrees F.

    My weather app in iOS 8 stopped working.  Either there are no temperatures or other data, or every city is 86 degrees F.

    Hey Jjohnk83776,
    Thanks for the question. I understand that you are experiencing issues with the Weather application on your iPhone 6. Let’s see if we can troubleshoot this issue. First, try restarting the Weather app:
    Force an app to close in iOS - Apple Support
    http://support.apple.com/HT5137
    If the issue persists, try restarting your device:
    Restart or reset your iPhone, iPad, or iPod touch - Apple Support
    http://support.apple.com/HT1430
    Thanks,
    Matt M.

  • Questions on getting "other" data off ipad

    I have been reading the threads, but before I do a full restore I have a few questions.
    I have about 2GB of "other" space on my 8GB ipad 2 (OS 7 withou the latest patch). I need to get rid of it because I can't load the new OS and I have the ipad down to bare bones.
    Anyway, I was reading that "other" could be corrupted data or stuff that apps are using. I got rid of my photos. All I have is apps, and music plus the files I store in pages.
    1. How can I tell which apps are sucking up space?
    2. If I do a restore, will the corrupted data just come back from my MBP onto my ipad? I am backing up to the MBP and also syncing everything in icloud. This is where my brain gets lost because I don't understand where the bad data is being stored.
    Any thoughts or hints would be appreciated before I start doing neurosurgery.
    Thanks in advance!

    How much space is used by your Other? You may be able to reduce.
    How Do I Get Rid Of The “Other” Data Stored On My iPad Or iPhone?
    http://tinyurl.com/85w6xwn
    How to Remove “Other” Data from iPhone, iPad and iPod Touch
    http://www.igeeksblog.com/how-to-remove-other-data-from-iphone/
    With an iOS device, the “Other” space in iTunes is used to store things like documents, settings, caches, and a few other important items. If you sync lots of documents to apps like GoodReader, DropCopy, or anything else that reads external files, your storage use can skyrocket. With iOS 5/6/7, you can see exactly which applications are taking up the most space. Just head to Settings > General > Usage, and tap the button labeled Show All Apps. The storage section will show you the app and how much storage space it is taking up. Tap on the app name to get a description of the additional storage space being used by the app’s documents and data. You can remove the storage-hogging application and all of its data directly from this screen, or manually remove the data by opening the app. Some applications, especially those designed by Apple, will allow you to remove stored data by swiping from left to right on the item to reveal a Delete button.
    What is “Other” and What Can I Do About It?
    https://discussions.apple.com/docs/DOC-5142
    iPhone or iPad Ran Out of Storage Space? Here’s How to Make Space Available Quickly
    http://osxdaily.com/2012/06/02/iphone-ipad-ran-out-of-available-storage-space-ho w-to-fix-quick/
    6 Tips to Free Up Tons of Storage Space on iPad, iPhone, and iPod Touch
    http://osxdaily.com/2012/04/24/6-tips-free-up-storage-space-ipad-iphone-ipod-tou ch/
    Also,
    How to Clear Message/iMessage Cache on iPhone & iPad And Reclaim Lots of Free Space
    http://www.igeeksblog.com/how-to-clear-message-imessage-cache-on-iphone-ipad/
    What is Stored in iCloud and What is Not
    https://sites.google.com/site/appleclubfhs/support/advice-and-articles/what-is-s tored-in-icloud
     Cheers, Tom

  • I have a lot of 'other' data on my iPhone 4 summary on iTunes. I looked on the internet it said stuff like you should restore it etc, but i would like to keep all of my data. How do I reduce the amount of 'other' data which is around 3.5 GB

    Hi,
    On my macbook pro, I have connected it with my Iphone 4, on the summary it says that I have 3.5 GB of 'other' data, which is bigger than my photos and music. How do I make this smaller without losing all of my data in a restoration. I do not kno what the difference is between a normal restoration and a restoration form back up. Also i have already tried deleting old messsages and book marks but nothing is working. I searched on the internet and it said something about it being corrupted!!
    Please Help!!!!!!
    Thankyou!!!

    See -> What is "Other" and what can I do about it? by Kappy.
    Clinton

  • Problems syncing and lots of "Other" data

    I have a 32gb iPod Touch 5th gen running iOS 7. I have 2 major issues, as stated in the title.
    The first is with syncing. As iTunes goes through the steps it gets stuck on "Waiting for items to copy" or "Waiting for changes to be applied;" whichever happens to be the last step. I've managed to get around this by stopping the automatic sync and clicking "Back Up Now" and "Sync" seperately. Frustraiting, but it worked. But lately I've been having to restore from a backup just to put a few new songs on it. And sometimes that doesn't even work.
    On top of that there's been a growing mass of "Other" data. It's pretty firm at sitting around 7.27 gigs. I've gotten it to completely dissapear once (save for a few megabytes), but then discovered that half of the music that should be on my iPod wasn't (I have just under 15 gigs of music on it), and when I got it back on, the other data was back exactly the same size as before. inversely, it's jumped to as much as almost 10 gigs, but after a similar problem and fix, it shrank to 4.26.
    I've heard the only way to get rid of either of these problems is to restore to factory settings, but I really don't want to do that since I have a lot of irriplacable data (game records, worlds in Minecraft, notes, etc.), but I'm afraid that may be my only option.
    I can assure you I have my data under control, I understand how to delete unwanted data to free up space, so going through settings and deleting unused apps and data wont help. All in all I have precisely 14.97gb of music, 920.4mb of photos, 1.66gb of apps, 44mb of doccuments & data, now there's 8.17gb of other data, and only 2.24gb free.
    Is there any way to fix this besides resetting? Any help is appreciated, I hope this makes sense, and thank you for reading.

    These 8GB is mostly corrupted data I suppose.
    Since you do sync and backup manually, when you look in iTunes now, goto preferences then the devices tab, you see two backups. is there one that has a date before this 8GB mess happened?
    If yes, it is easy: connect, do the "RESTORE iPOD", then after that "restore from backup" and choose the older backup. Done.
    If not, there is a problem, you cannot, as it is, restore from the backup, because that has all corrupted data in it.
    Tell me and we will find a another way to get back your data, maybe not all. wait with restoring the ipod.
    Lex

  • How can I delete over 3GB of "other" data?

    So my iPhone 5 is a 16GB (or 13.3GB I believe, thanks apple) and it says I've used 3.37GB of this mysterious "other" data.
    I have been going through and reading other people's responces to similar questions, and it seems like the main conclusion is to back up my iPhone, either to iCloud or my computer, and restore it as new. I've been trying to do everything but this, because I don't want to lose the data like my contacts and notes, but I cannot back up my phone because I have used too much space to back up, and I'm not going to buy extra space just to back up my phone to delete this data. Clearly one of Apple's problems they have yet to fix, unless they are doing this to make you buy more space and they can get more money. Regardless, we all get over that flaw in their products.
    Another popular responce I was getting was to go to Settings > Safari > Clear Cookies and Data and proceeding through with that. Of course, wanting to get my "other" data back down to the regular amount (under 1GB) I did clear the cookies and data, as well as cleared my history (which is right above the Clear Cookies and Data option), however I am still stuck with over 3GB of other.
    In responce to almost all of these posts was something about your apps. I have three apps on my phone, and I had deleted them off my phone to try and free up space. Honestly, I don't even think I got half of a GB back from deleting the apps. I understand that my phone is now made up of photos and corrupt files. But how do these corrupt files even get created? If I can somehow stop them from being created in the future, believe me, I will do so.
    I have gone and deleted my text messages and emails, since people say that the space is taken up mostly by SMS and MMS messaging, and I think that got me almost 1GB of space. I did this last night, before I plugged my phone into the computer and checked the "other" amount on iTunes. Is there an alternative to restoring my phone as new to delete this data? Can someone please tell me if there is, because I'm just getting fed up with having to constantly delete things off of my phone to open up more space.

    You should be importing pictures from the camera roll to your computer on a regular basis. Even if you don't want to keep them, at the end of the import, most photo managers give you the option to delete the photos from the camera.
    If you're using a PC running Windows, just plug the phone in. Open Windows Explorer. You should see the phone there, and under that, the DCIM folder where the photos are stored.
    Transfer them if you want to keep them or just delete them.
    There is no easy way to mass delete them on the phone itself.

Maybe you are looking for

  • How to Import customized internal table to smartform from Print Program

    Hi Gurus, I want to Import customized internal table to smartform from print program, Can anybody tell me how it is possible. With regards, S.Saravanan

  • Shared Services 9.3.1 Configuration Failed!

    Hi I installed Shared Services 9.3.1. I have Oracle DB Xpress Edition. Also, Is Oracle Xpress Edition supported with Essbase? When I tried to configure shared Services to "Configure Database". It failed. :-( Following is the error from configtool.log

  • 11.1.1.3 - 11.1.2 Conversion Error

    Hi All, Just tried to run one of our 11.1.1.3 apps. through the conversion to 11.1.2. The conversion process itself completed OK and the app. runs for a while, but on one of the pages, things stop rendering midway and I see the following stack dump i

  • AE Base Station wired connection problem..

    Okay.. I have cable internet hooked up like so: Modem --> Airport Extreme Basestation extended by 2 AE expresses... I use the LAN port on the AE basestation to route internet to the hardwired computer.. This has worked well until recently... I recent

  • Nokia 6233 programming

    Hi, I have been programming for DBz since years and now i am interested to develop a application for my 6233 so for that i need complete information about development tools apps etc.... thanks