Query (Select) that return TRUE  or false

Hi
I Need to do a query that return true or false
SELECT TRUE INTO v_Envia_Maplink
FROM SNCDE, SNAPL
WHERE SNCDE.CDESEQ = OLD.CDESEQ AND
         SNAPL.APLCFJSEQ = CFJSEQ_VR AND
         SNCDE.APLCOD = SNAPL.APLCODHow can to do it ?

Hi,
you can use DECODE and have TRUE or FALSE returned.
SQL> SELECT comm, DECODE(COMM, NULL, 'FALSE', 'TRUE')
FROM EMP;
COMM DECOD
FALSE
FALSE
FALSE
TRUE
500 TRUE
FALSE
1400 TRUE
FALSE
FALSE
FALSE
FALSE
COMM DECOD
0 TRUE
FALSE
FALSE
FALSE
FALSE
FALSE
FALSE
selected.
SQL>
ThanksThanks
something that retunr datatype BOOLEAN ?

Similar Messages

  • Checking an Array with a form input field to return true or false?

    I have an array that when dumped, lists dates for all days of the month. There is a form, where the user specifies the date and when submitted, transfers to a processing.cfm file which is where i want the <cfif> to check if the date specified in form exists in the array (this way, it only limits the user of only being able to select a date from this month for an event). Is it possible to have a cfif where it will check whether or not the array contains the date the user has specified and the return true (if contains the date specified), and transfers the form to email.cfm (where it will email all the form inputs) or will return false (if outside that range) then return back to the eventform.cfm?

    Nevermind. Figured it out.
    Heres my code if it will help anyone:
    <!---CFSET's--->
                    <cfset theDate = Now()>
                    <cfset NextMonth = DateAdd('m', 1, theDate) />
                    <cfset nextMonthNum = daysInMonth(#NextMonth#) />
                    <cfset weekNum = (#weekOfMonth(now())#) />
                    <cfset daysNum = daysInMonth(now()) />
                    <cfset dateToday = Now()>
                    <cfscript>
                                                      function weekOfMonth(thisDate) {
                                                                var thisDay=day(thisDate);
                                                                var thisWeek=0;
                                                                if (thisDay LTE 7)
                                                                thisWeek=1;
                                                                else if (thisDay GT 7 AND thisDay LTE 14)
                                                                thisWeek=2;
                                                                else if (thisDay GT 14 AND thisDay LTE 21)
                                                                thisWeek=3;
                                                                else
                                                                thisWeek=4;
                                                                return thisWeek;
                                            </cfscript>
                    <cfset datearray = ArrayNew(1)>
                    <cfif #DatePart('w', TheDate)# GTE 2 AND #weekNum# GTE 3>
                        <cfloop index="x" from="1" to="#daysNum#">
                                      <cfset datearray[x] = "#DateFormat(now(), "mm")#/#x#/#DateFormat(now(), "yy")#" />
                                <cfset recordnumber = #x#>
                                                      </cfloop>
                        <cfloop index="y" from="1" to="#nextMonthNum#">
                                  <cfset potato = #y# + #recordnumber# >
                                      <cfset datearray[potato] = "#DateFormat(NextMonth, "mm")#/#y#/#DateFormat(NextMonth, "yy")#" >
                        </cfloop>
                                  <cfelse>
                                  <cfloop index="z" from="1" to="#daysNum#">
                                <cfset datearray[z] = "#DateFormat(now(), "mm")#/#z#/#DateFormat(now(), "yy")#">
                                  </cfloop>
                            </cfif>
                    <cfif #arrayContains( datearray, "#form.activitydate#" )#>
                              <cflocation url="monkey.cfm">
                                  <cfelse>
                                      <cfset datetrue = "no">
                                <script>
                                                                                    alert("Date Not Valid. Please Specify Event Date Within Valid Range.<br>(Allow a couple seconds to refresh)")
                                                                                    history.go(-1)
                                                                          </script>
                    </cfif>

  • Functions returning TRUE or FALSE

    Morning chaps,
    Wrote a function that converts a date in the format "01 Jan 2010" to a Unix timestamp. It also returns FALSE if it cannot convert the date it is being passed, which is great because I can use:
    <cfif convertDateToUTS(FORM.date)>
         <cfset #date# = #convertDateToUTS(FORM.date)# />
         <p>Your date: <cfoutput>#date#</cfoutput></p>
    <cfelse>
         <p>Could not convert date.</p>
    </cfif>
    Here is the function:
    <cffunction name="convertDateToUTS" output="no">
        <cfargument name="date" required="Yes" />
        <cfargument name="time" default="00:00"/>
    <cftry>
        <cfset #date# = trim(left(trim(date), 11)) />
        <cfset #time# = trim(left(trim(time), 5)) />
        <cfset #dateArr# = #listToArray(date, " ")# />
        <cfset #dateArr[2]# = #replace(dateArr[2], "Jan", 1)# />
        <cfset #dateArr[2]# = #replace(dateArr[2], "Feb", 2)# />
        ...etc...
        <cfset #dateArr[2]# = #replace(dateArr[2], "Dec", 12)# />
        <cfset #dateTime# = ArrayToList(dateArr, " ")&" "&time />
        <cfset #dateTimeBits# = listToArray(dateTime, " :") />
        <cfset #ODBCdateTime# = CreateODBCDateTime(CreateDateTime(dateTimeBits[3], dateTimeBits[2], dateTimeBits[1], dateTimeBits[4], dateTimeBits[5], 0)) />
        <cfset #unixDateTime# = #DateDiff("s", CreateDate(1970,1,1), ODBCdateTime)# />
        <cfreturn #unixDateTime# />
    <cfcatch>
        <cfreturn FALSE />
    </cfcatch>
    </cftry>
    </cffunction>
    However, now I want to write a similar one which converts a timestamp to a date in that format:
    <cffunction name="convertUTStoDate" output="no">
         <cfargument name="uts" required="Yes" />
    <cftry>
         <cfset #date# = #DateFormat(DateAdd("s",uts,"1970/01/01 00:00:00"),"DD MMM YYYY")# />
         <cfset #time# = #TimeFormat(DateAdd("s",uts,"1970/01/01 00:00:00"), "HH:mm")# />
         <cfreturn #date#&" "&#time# />
    <cfcatch>
         <cfreturn FALSE />
    </cfcatch>
    </cftry>
    </cffunction>
    This does the conversion correctly but it it won't let me use it as the condition in a CFIF like the first function does eg <cfif convertUTStoDate(uts)> but, it does work exactly as I want if I do this: <cfif convertUTStoDate(uts) NEQ FALSE>
    What am I doing wrong? I really want it to behave like the first function when used in a condition. Massive thanks to anyone who can help!
    T

    What dou you think of the following version of your code? It is the same as your original code but, in my opinion, a bit simpler.  For example, your test now becomes something like
    <!--- remember returntype is now a struct --->
    <cfif convertDateToUTS(FORM.date).isConverted>
         <cfset date = convertDateToUTS(FORM.date).unixDateTime/>
         <p>Your date: <cfoutput>#date#</cfoutput></p>
    <cfelse>
         <p>Could not convert date.</p>
          Reason: <cfoutput>#convertDateToUTS(FORM.date).message#</cfoutput>
    </cfif>
    <cffunction name="convertDateToUTS" output="no" returntype="struct">
        <cfargument name="date" required="Yes" />
        <cfargument name="time" default="00:00"/>
        <cfset var returnStruct = structNew()>
        <cfset returnStruct.datetime = "">
        <cfset returnStruct.isConverted= false>
    <cftry>
        <cfset date = trim(left(trim(date), 11)) />
        <cfset time = trim(left(trim(time), 5)) />
        <cfset dateArr = listToArray(date, " ") />
        <cfset dateArr[2] = replace(dateArr[2], "Jan", 1) />
        <cfset dateArr[2] = replace(dateArr[2], "Feb", 2) />
        ...etc...
        <cfset dateArr[2] = replace(dateArr[2], "Dec", 12) />
        <cfset dateTime = ArrayToList(dateArr, " ")&" "&time />
        <cfset dateTimeBits = listToArray(dateTime, " :") />
        <cfset ODBCdateTime = CreateODBCDateTime(CreateDateTime(dateTimeBits[3], dateTimeBits[2], dateTimeBits[1], dateTimeBits[4], dateTimeBits[5], 0)) />
        <cfset returnStruct.unixDateTime = DateDiff("s", CreateDate(1970,1,1), ODBCdateTime) />
        <cfset returnStruct.message = "Conversion succeeded.">
        <cfset returnStruct.isConverted= true>
        <cfreturn  returnStruct>
    <cfcatch>
        <cfset returnStruct.message = cfcatch.message>
        <cfreturn  returnStruct>
    </cfcatch>
    </cftry>
    </cffunction>
    <cffunction name="convertUTStoDate" output="no" returntype="struct">
         <cfargument name="uts" required="Yes" />
         <cfset var returnStruct = structNew()>
         <cfset returnStruct.datetime = "">
         <cfset returnStruct.isConverted= false>
    <cftry>
         <cfset date = DateFormat(DateAdd("s",uts,"1970/01/01 00:00:00"),"DD MMM YYYY") />
         <cfset time = TimeFormat(DateAdd("s",uts,"1970/01/01 00:00:00"), "HH:mm") />
         <cfset returnStruct.datetime = date&" "&time />
         <cfset returnStruct.message = "Conversion succeeded.">
         <cfset returnStruct.isConverted= true>
         <cfreturn  returnStruct>
    <cfcatch>
          <cfset returnStruct.message = cfcatch.message>
          <cfreturn  returnStruct>
    </cfcatch>
    </cftry>
    </cffunction>

  • Create link which returns true or false

    i need something that allows the server to send a message to the client asking them if they wish to acept a file. Idealy i would like it to be a link similar to that of msn messenger. but i cant seem to find something similar.. any sugestions as to what i could use would be great

    ive looked intho this option and it seems u required the actionevent listener to perform this task. howeve because im calling another gui there wont be a action event. i need create the pannel without a action click is there a way to do this?
            Component source = (Component) actionEvent.getSource();
            JOptionPane optionPane = new JOptionPane("Accept file?",
                JOptionPane.QUESTION_MESSAGE, JOptionPane.YES_NO_OPTION);
            JDialog dialog = optionPane.createDialog(source,
                "File Sent");
            dialog.show();
            int selection = OptionPaneUtils.getSelection(optionPane);
            System.out.println(selection);Message was edited by:
    helen_166
    Message was edited by:
    helen_166

  • Problems w javascript function return true/false

    Hi all,
    I have a javascript function that return true or false.
    It's called by a link in a report (URL-target):
    javascript:return showForr(&APP_ID.,&SESSION.,#PERSON_ID#,'#STARTDATUM#','#SLUTDATUM#');
    With the return it does NOT work. If I remove return it works with no problem but then I can't "end" the function where I want.
    Any pointers how I can achive what I want here?
    BR Daniel

    The solution is the to put a span around and make the on-click there:<br><br>
    select 'Daniel' namn, <br>'>span onclick="return test();"><br>>a href="javascript:test2();"><br>Calling func return true/false<br>>/a><br>>/span>'  id3
    from dualSee http://apex.oracle.com/pls/otn/f?p=22968:5:1350065385503137::::: for details.
    /D

  • Formula to select multiple fields (true/False) and create one

    Post Author: mmishkin
    CA Forum: Formula
    I have fields that have true and false options. I need to graph the true options all together but it's not working. I have tried writing a formula to put them all together but i'm still not getting the results I need....here is what I have
    Select {BriefOperativeNote.SCIP PreOpABX60Min} case True : "ABX60Min";Select {BriefOperativeNote.SCIP ABXDCd24h} case True : "ABXDCd24h";
    I've also tried
    If {BriefOperativeNote.SCIP PreOpABX60Min} = True  then  "ABX60Min";
    My results should be
    ABX60Min =      130 Etc... so that I can graph all the true options together..
    Any ideas?

    Post Author: sharonmtowler
    CA Forum: Formula
    either create a group for your true statement and place graph in the header or footer
    or limit your report in the select statement to only true, create the graph
    then create a sub report in the footer for the others.

  • Select wich returns the shortest time

    Hi,
    I don't know how to do a select. I'm goig to explain what I want to get to see wheter somebody can help.
    I've a select that returns the following columns (table t):
    handle_id, logon_id, object_name
    I've another table with the following columns (table t0):
    time0, handle_id, logon_id, object_name, source, eventid
    If I do this select:
    select t0.time0, t0.source, t0.eventid
    from t, t0
    where t.handle_id = t0.handle_id and t.logon_id = t0.logon_id and t.object_name = t0.object_name
    It returns me several records with the same condition (handle_id, logon_id, object_name) because, obviously, I've repeated recors with the same conditions but with diferent time0.
    I would like to get only one record for each condtion with the shortest time0.
    How can I do it?
    I've tried with distinct but it isn't what I want.
    Thanks in advance.
    Regards.

    select  *
      from  (
             select  t0.time0, t0.source, t0.eventid........ , t0.accesses,
                     row_number() over(partition by t0.handle_id,t0.logon_id,t0.object_name order by t0.time0) rn
               from  t,
                     t0
               where t.handle_id = t0.handle_id
                 and t.logon_id = t0.logon_id
                 and t.object_name = t0.object_name
      where rn = 1
    /If there can be more than one row with "shortest time0" for same handle, logon_id, object_name the above query will return olny one of such rows. If you want to get all such rows use:
    select  *
      from  (
             select  t0.time0, t0.source, t0.eventid........ , t0.accesses,
                     dense_rank() over(partition by t0.handle_id,t0.logon_id,t0.object_name order by t0.time0) rn
               from  t,
                     t0
               where t.handle_id = t0.handle_id
                 and t.logon_id = t0.logon_id
                 and t.object_name = t0.object_name
      where rn = 1
    /SY.

  • CI - Powershell Boolean Rule Always Returns True

    I'm trying to create a configuration baseline / item for a particular piece of software using a powershell script of data type Boolean. However, I'm having the issue that the evaluation is always returning compliant whether the workstation is or not. The
    script is as follows:
    $ErrorActionPreference = "SilentlyContinue"
    $Condition1 = (Test-Path -LiteralPath 'HKLM:\SOFTWARE\Adobe\Premiere Pro')
    $Condition2 = (Test-Path -LiteralPath 'C:\Program Files\Adobe\Adobe Premiere Pro CS6\Presets\Textures\720_govt1_bar.png')
    if ($Condition1) {
    if ($Condition2) {echo $true}
    else {echo $false}
    else {echo $true}
    This script works perfectly fine when run locally and always returns $true or $false as expected. However it only ever returns Compliant when used in a CI. It doesn't matter what the state of the 2 conditions are, it always evaluates Compliant.
    Any ideas?

    I'm beginning to wonder if there is variation between how well this feature works on Windows 7 and Windows 8.1. I'm beginning to notice that it usually works well on 7 but I have constant hell with it on 8. The last thing I tried which seemed to work (assuming
    it was not just randomness) was accepting the default "Platform" settings of the CI/CB. Before I had chosen Windows 7 and 8.1 only and was never able to return any value except Compliant on 8. Accepting the all platforms default Finally
    allowed me to show a state of Non-Compliant on 8. This was using a powershell script of string data type as discussed previously.
    My latest torment is discovering how to force a true re-evaluation of an updated CI/CB. In my non-compliant Win8 example, I have added a remediation script to an existing Monitor-Only CI and configured it to remediate. In my Win 7 members of the collection,
    everything works successfully, the condition is remediated and the state reports Compliant but on the Win8, although the local Control Panel applet shows both the CB and CI to have new revisions and the evaluation shows it has run with a new date/time,
    the remediation script never runs and changes to Compliant.
    Any suggestions how I can force an updated CI/CB to really re-evaluate, not just report it has?

  • If thing 1 is true return true. If thing 2 is true return false. (not quite like select function)

    I have two inputs within my LV program.  I need to output true (or value for true) if input 1 is true but output false (or value for false) if input 2 is true.  The select function allows different outputs but for only 1 input. 

    It should be fairly eeasy to come up with a boolean structure fo this.  For example, you have if input 1 as a true and input 2 as a true, what does it output???
    Normally you can make a table to figure out what structure you could use.  1 = true, 0 = false
    Input 1   Input 2   Output
    0            0            0
    0            1            0  
    1            0            1
    1            1             0 (I am assuming)
    That means if you write it out out need (input 1) * (input 2)' or an And terminal with input 1 wired to a terminal and input 2 wired to a not and then to the other and terminal (see picture)
    Kenny
    Attachments:
    ab not.gif ‏3 KB

  • Parameter Query for True or False values

    I have what seems like a painfully simple task and it has me stopped dead.  I reviewed a similar thread, and the answers there don't seem to apply. Working in Crystal 11.5 with an MS SQL database.
    I am pulling data from vwCommmittees.  There is a field in this view called IsActive.  I want to create a committee list report that will allow the user to select only the active committees or all committees.
    A SQL select statement that says where dbo.IsActive = '1' will return only the active committees.
    In Crystal reports, if I place the IsActive field on the report, it returns with "True" or "False."
    When I create a parameter for this field, I find that 1) I can't see the parameter in the report expert -- my only choices are Is any value, Is true, Is false or Formula.
    I've made several attempts to create a formula and nothing is working. It's not clear to me wheter I should be creating a static or a dynamic parameter.  When I choose boolean as the type, that doesn't seem to help.  I tried a dynamic parameter which gave me true and false values, but don't seem to work.
    Any pointers on dealing with this kind of parameter query would be greatly appreciated.
    Sincerely,
    Ridge (in New Joisey)

    Hi..
    Create a static parameter and give the default values like
    0 and 1
    In Record Selection check like..dbo.IsActive = {?parameter}
    If the above is not working for you, then create a formula
    like..
    If dbo.IsActive = '1' then
    "Active"
    Else "In Active"
    Place this formula on your report and create a static parameter with default values Active and In Active.
    In record selection filter the above.
    Thanks,
    Sastry

  • Select query failing to return all values

    So I've just completed my first batch insert into DocumentDB and ran into the following irregularity while verifying my documents were added correctly.  I am seeing this issue through the Portal Query Explorer and the Python SDK.
    I have found 4 id values that are in my collection, but won't get returned in a Select all type query.  
    Queries I've used to select just that item/document.  These work correctly and return my document.  Therefore, I assume the document is in the collection.
    SELECT * FROM Matches m WHERE m.id = "2997"
    SELECT VALUE m.id FROM Matches m WHERE m.id = "2997"
    However, when doing a broader SELECT query, some ids are not returned.
    SELECT * FROM Matches
    SELECT VALUE m.id FROM Matches m
    Neither of the above queries return the document with id "2997".  I've three other ids where this is the case.
    Am I missing something obvious here, or is there a bug?  I've added all ~991 documents into the collection using the same batch program.
    Edit:  Here's a test program I've drawn up to show this issue (you can take my word for it that the clients are initialised correctly):  https://gist.github.com/Fitzpasd/1dde776b00eacf68b361
    And this prints:
    1
    991
    False
    False
    False
    True

    I also have some issues with pages. When I execute a simple query like:
    SELECT x FROM Root x
    or 
    SELECT s FROM Root x JOIN s IN x.Children
    (The Children array contains more than 100 items)
    And I use the AsDocumentQuery() method in the c# API, iterating through the pages works fine (the continuation token is returned in the request)
    But when I execute the following query:
    SELECT s FROM Root x JOIN s IN x.Children WHERE x.id = "<guid>"
    the continuation token is not returned so I can't get to the next pages.
    Is this related to the same bug ?

  • Selecting from a function that returns a sys refcursor or an alternative

    I have a query that returns a resultset of three columns, namely SSN,PAID_YEAR and PAID_TOTAL. From this query I can:
    Create a view and then query it.
    Create a function and return resultset
    If I go the first way a simple query like the following takes more than 20 seconds:
    SELECT PAID_YEAR,PAID_TOTAL FROM VIEW_1 WHERE SSN=12345678912882;
    I know that is because when I query a view the engine first brings all the rows of the view and then it filters the rows for the criteria supplied.
    If I go the second way I can send a parameter and make the engine look only for those rows that match the condition and return the recordset. But I do not know how to then SELECT from that returned resultset. I took a look at pipelined tables but didn't quite get how to benefit them. So my ultimate question is if it's somehow possible to select from the resultset that is returned from a function like this:
    SELECT * FROM FUNCTION_1(12132323232).
    If yes, then how, if no, what would be an alternative way?

    I know that is because when I query a view the engine first brings all the rows of the view and then it filters the rows for the criteria supplied.
    No - you don't 'know that' because it isn't true. Just check the explain plan for yourself. Oracle can still use any appropriate indexes so that only the rows needed are returned.
    So my ultimate question is if it's somehow possible to select from the resultset that is returned from a function like this:
    SELECT * FROM FUNCTION_1(12132323232).
    No - you can't do it like that. You have to use the TABLE function to treat the function result set as a table:
    'SELECT * FROM TABLE(FUNCTION_1(12132323232)).
    -- type to match emp record
    create or replace type emp_scalar_type as object
      (EMPNO NUMBER(4) ,
       ENAME VARCHAR2(10),
       JOB VARCHAR2(9),
       MGR NUMBER(4),
       HIREDATE DATE,
       SAL NUMBER(7, 2),
       COMM NUMBER(7, 2),
       DEPTNO NUMBER(2)
    -- table of emp records
    create or replace type emp_table_type as table of emp_scalar_type
    -- pipelined function
    create or replace function get_emp( p_deptno in number )
      return emp_table_type
      PIPELINED
      as
       TYPE EmpCurTyp IS REF CURSOR RETURN emp%ROWTYPE;
        emp_cv EmpCurTyp;
        l_rec  emp%rowtype;
      begin
        open emp_cv for select * from emp where deptno = p_deptno;
        loop
          fetch emp_cv into l_rec;
          exit when (emp_cv%notfound);
          pipe row( emp_scalar_type( l_rec.empno, LOWER(l_rec.ename),
              l_rec.job, l_rec.mgr, l_rec.hiredate, l_rec.sal, l_rec.comm, l_rec.deptno ) );
        end loop;
        return;
      end;
    select * from table(get_emp(20))

  • Query or function that returns distinct values and counts

    For the following table:
    ID number
    address varchar(100)
    Where the ID is the primary key and addresses might be repeated in other rows, I'd like to write a query that returns distinct addresses and the count for the number of times the address exists in the table. What's the best way to do this? Thank you in advance.

    Jlokitz,
    select address, count(*)
    from table
    group by address;
    HTH
    Ghulam

  • Is that True or False ?

    I recieved a message from e-mail told me that the nokia can Detect Radar on the road
    Nokia Speed Trap Detector
    The settings for radar speed traps detector.
    Your Nokia cell phone can be programmed to pick
    up radar speed traps, when programmed your cell
    phone picks up the radar and alerts you on the
    message alert tone. ( Doesn't work with Nokia
    7110! )
    1. Enter your menu
    2. Select settings
    3. Select security settings
    4. Select closed user group
    5. Select on
    6. Enter 00000
    7. Press ok
    8. Clear back to normal, within a few seconds
    your phone will display a radar sign with five
    zero's next to it. It is now activated.
    Unfortunately only Nokia phones have this
    function. Cell info display needs to be de-
    activated. Settings -> Phone Settings -> Cell
    Info display
    Each time you turn off your phone, or even each
    time you loose contact with your carrier, you'll
    have to activate it again... It is done by steps
    1 through 5, but the number (00000) will be
    already on the field as default.
    Is that True or False ?

    It is false.closed user group is an operator based service by which your phone can be made to make phone calls only to those numbers in that group id.it is service provides dependant.contact your operator.

  • Updating a table with a query that return multiple values

    Hi,
    I'm trying to update a table which contain these fields : ItemID, InventoryID, total amounts
    with a query that return these values itemId, inventoryid and total amounts for each items
    Mind you, not all the rows in the table need to be updated. only a few.
    This what i wrote but doesn't work since the query return multiple values so i can't assign it to journalAmounts.
    UPDATE [bmssa].[etshortagetemp]
    SET JournalAmounts = (SELECT sum(b.BomQty) FROM [bmssa].[Bom] b
    JOIN [bmssa].[SalesLine] sl ON sl.ItemBomId = b.BomId
    JOIN [bmssa].[SalesTable] st ON st.SalesId = sl.SalesId
    WHERE st.SalesType = 0 AND (st.SalesStatus IN (0,1,8,12,13)) AND st.DataAreaId = 'sdi'
    GROUP BY b.itemid, b.inventdimid)
    Any advise how to do this task?

    Remember that link to the documentation posted above that explains exactly how to do this. When you read it which part exactly were you having trouble with?

Maybe you are looking for

  • IS THERE A WAY TO CHANGE THE NOTIFICATION SOUNDS FOR REMINDERS?

    IS THERE A WAY TO CHANGE THE NOTIFICATION SOUNDS FOR REMINDERS?

  • IMovie '11 Unable to prepare project for publishing (~50)

    So I've started this problem and as an avid YouTuber I need to produce videos. I've tried clearing the cache, typing in commands on terminal, reducing the size, exporting through all options, restarting and shuting down. So guys please help me. I've

  • Reversion to Photoshop CC trial

    Hi I'm new to this. I had Photoshop CS3 full version installed and subsequently bought upgrades to CS 4, 5 and 6. I've licensed Photoshop CC since June 2013. Recently I uninstalled the unwanted back copies of Photoshop, leaving just the CC versions o

  • Problem with ear piece

    I am using the communicator 9500 model. Recently I started having earing problems when receiving a call. I can only hear a caller with the speaker phone, i.e. when the phone is openned. This affect my privacy, as everyone could hear my conversations.

  • Status Bar Icons

    In my status bar there is a little lock with an arrow going in a circle around it. It is by my battery icon. What does that mean?