Please allow us to mark more than 5 answers as helpful

hi,
I know a lot of people are not bothered about points, and they just answer to share knowledge
However, I still think if someone has gone out of their way to help me, that I can at least show some sort of gratitude, albeit by awarding them 5 measly points (that they might not even care about!). But currently, you can only mark 5 responses "helpful", and sometimes I have had more than 5 very helpful responses.
Therefore, please do away with this limit
thanks

Not to insult your idea, but I think unless the topic of a thread has changed you shouldn't continue discussion in a new thread. A lot of people reach this forum via Google (or whatever) and you can imagine what a mess it would become if discussions routinely span multiple threads!
Instead, I think the moderators should have the ability to increase the number of allowed "helpful answers" on a per-thread basis. If a discussion is large enough to warrant more than 5 helpful answers then most likely the moderator would be in there reviewing the content anyway, so how hard could it be to give them a button to increase the allowed number?

Similar Messages

  • HT204053 I want to be able to setup a generic corporate Apple ID to use with icloud and Find my Iphone, that will allow me to have more than 10 devices assigned to the ID. What do I do?

    I want to be able to setup a generic corporate Apple ID to use with iCloud and Find my iPhone, that will allow me to have more than 10 devices assigned to the ID. How do I go about creating this account?

    I'm not sure if I understand your question, but if you create a new iCloud account with a different ID your existing ID isn't effected by this.  It will continue to work as it does now, you will just have an additional Apple ID.  If you have an earthlink email address you can continue to use it as a separate account, and it can continue to be your default account if you set it to be (in Settings>Mail,Contacts,Calendars>Default Account).  If I'm misunderstanding your question, please explain further.

  • Is there a datatype that allows me to store more than one item at a time

    Hello Everyone,
    Is there a datatype that allows me to store more than one item at a time , in a column in a row?
    I have to prepare a monthly account purchase system. Basically in this system a customer purchases items in an entire month as and when required on credit and then pays at the end of the month to clear the dues. So, i need to search the item from the inventory and then add it to the customer. So that when i want to see all the items purchased by a customer in the current month i get to see them. Later i calculate the bill and then ask him to pay and flushout old items which customer has purchased.
    I am having great difficulty in preparing the database.
    Please can anyone guide me! i have to finish this project in a weeks time.
    Item Database:
    SQL> desc items;
    Name Null? Type
    ITEMID VARCHAR2(10)
    ITEMCODE VARCHAR2(10)
    ITEMPRICE NUMBER(10)
    ITEMQUAN NUMBER(10)
    Customer Database:
    SQL> desc customerdb;
    Name Null? Type
    CUSTID VARCHAR2(10)
    CUSTFNAME VARCHAR2(20)
    CUSTLNAME VARCHAR2(20)
    CUSTMOBNO NUMBER(10)
    CUSTADD VARCHAR2(20)
    I need to store for every customer the items he has purchased in a month. But if i add a items purchased by a customer to the customer table entries look this.
    SQL> select * from customerdb;
    CUSTID CUSTFNAME CUSTLNAME CUSTMOBNO CUSTADD ITEM ITEMPRICE ITEMQUANTITY
    123 abc xyz 9988556677 a1/8,hill dales soap 10 1
    123 abc xyz 9988556677 " toothbrush 18 1
    I can create a itempurchase table similar to above table without columns custfname,csutlnamecustmobno,custadd
    ItemPurchaseTable :
    CUSTID ITEM ITEMPRICE ITEMQUANTITY
    123 soap 10 1
    123 toothbrush 18 1
    ill just have it as follows. But still the CUSTID FK from CustomerDB repeats for every row. I dont know how to solve this issue. Please can anyone help me.
    I need to map 1 customer to the many items he has purchased in a month.
    Edited by: Yukta Lolap on Oct 8, 2012 10:58 PM
    Edited by: Yukta Lolap on Oct 8, 2012 11:00 PM

    You must seriously read and learn about Normalization of tables; It improves your database design (at times may increase or decrease performance, subjective cases) and eases the Understanding efforts for a new person.
    See the below tables and compare to the tables you have created
    create table customers
      customer_id       number      primary key,
      fname             varchar2(50)  not null,
      mname             varchar2(50),
      lname             varchar2(50)  not null,
      join_date         date          default sysdate not null,
      is_active         char(1)     default 'N',
      constraint chk_active check (is_active in ('Y', 'N')) enable
    create table customer_address
      address_id        number      primary key,
      customer_id       number      not null,
      line_1            varchar2(100)   not null,
      line_2            varchar2(100),
      line_3            varchar2(100),
      city              varchar2(100)   not null,
      state             varchar2(100)   not null,
      zip_code          number          not null,
      is_active         char(1)         default 'N' not null,
      constraint chk_add_active check (is_active in ('Y', 'N')),
      constraint fk_cust_id foreign key (customer_id) references customers(customer_id)
    create table customer_contact
      contact_id        number      primary key,
      address_id        number      not null,
      area_code         number,
      landline          number,
      mobile            number,
      is_active         char(1)   default 'N' not null,
      constraint chk_cont_active check (is_active in ('Y', 'N'))
      constraint fk_add_id foreign key (address_id) references customer_address(address_id)
    create table inventory
      inventory_id          number        primary key,
      item_code             varchar2(25)    not null,
      item_name             varchar2(100)   not null,
      item_price            number(8, 2)    default 0,
      item_quantity         number          default 0,
      constraint chk_item_quant check (item_quantity >= 0)
    );You may have to improvise and adapt these tables according to your data and design to add or remove Columns/Constraints/Foreign Keys etc. I created them according to my understanding.
    --Edit:- Added Purchases table and sample data;
    create table purchases
      purchase_id           number        primary key,
      purchase_lot          number        unique key  not null,     --> Unique Key to map all the Purchases, at a time, for a customer
      customer_id           number        not null,
      item_code             number        not null,
      item_price            number(8,2)   not null,
      item_quantity         number        not null,
      discount              number(3,1)   default 0,
      purchase_date         date          default sysdate   not null,
      payment_mode          varchar2(20),
      constraint fk_cust_id foreign key (customer_id) references customers(customer_id)
    insert into purchases values (1, 1001, 1, 'AZ123', 653, 10, 0, sysdate, 'Cash');
    insert into purchases values (2, 1001, 1, 'AZ124', 225.5, 15, 2, sysdate, 'Cash');
    insert into purchases values (3, 1001, 1, 'AZ125', 90, 20, 3.5, sysdate, 'Cash');
    insert into purchases values (4, 1002, 2, 'AZ126', 111, 10, 0, sysdate, 'Cash');
    insert into purchases values (5, 1002, 2, 'AZ127', 100, 10, 0, sysdate, 'Cash');
    insert into purchases values (6, 1003, 1, 'AZ123', 101.25, 2, 0, sysdate, 'Cash');
    insert into purchases values (7, 1003, 1, 'AZ121', 1000, 1, 0, sysdate, 'Cash');Edited by: Purvesh K on Oct 9, 2012 12:22 PM (Added Price Column and modified sample data.)

  • ITunes will not allow me 2 add more than 3 songs at one time in2 my library

    iTunes won't allow me to add more than 3 songs at one time into my library. I just want to select a number of songs in 'My Music' folder on my pc and then add them in one go. I used to be able to on older versions of iTunes, but now it will only let me add 3 songs (using the 'add file to library' option), and no more then one (using the 'import' option). It's just very annoying as it takes aaages to add songs into my library, when it shouldn't. if anyone knows how to overcome this, please let me know! Thanks
    Message was edited by: 5Gmel

    how did u do it i've being trying for a long itme now and it takes forever to add music please share

  • Light Switch 2011 "C#" How to allow filter which take more than one entry to take * and show all other entries?

    Dear All,
    I have created the following code which extended my filter functionality and allowed a to take more than one entry (Comma have to be inserted after
    each entry). 
    For example:
    "Country Filter" can take ----> Germany,Egypt,Holand<o:p></o:p>
    "City Filter " can take ---------> Berlin,Münster
    if (Country_PAR != null)
    String[] Country_Array = Country_PAR.Split(new Char[] { ','});
    query = from p in query where Country_Array.Contains(p.Hotel_Country) select p;
    if (City_PAR != null)
    String[] City_Array = City_PAR.Split(new Char[] {','});
    query = from p in query where City_Array.Contains(p.Hotel_City) select p;
    Now want to extend it more and say something like:
    If  * is included ---- > Give me all entries        
         ex. Ge*     This will give me everything which starts with Ge
    If <> is entred -----> Give me entries which are not equal to a certain entry
         ex. Country Filter = <> Germany          give me all other entries except Germany
    Thanks alot,
    Zayed

    Thanks your reply. I mean no one know my feeling. except if the new car is your. If Geek Squad can't install it. Just let me know and go. right? I ask many time? Are you ok to finish? He said yes. First time fail after 5 hours long wait and tow my car to Toyota repair. Second time said only take 20 to 30 minutes to program the key. but fail again after about 4 hours 30 minutes long wait and head light is not automatic turn on at night. I have to take a day off drive to Toyota repair. My time is money. wait there more than 10 hours and done nothing. 5 days no car and take the subway Bus and long walk. How do I feel? I m the customer. if without the customer. How you get pay? Geek Squad use my remote start and alarm and I can't return it. I loss time and money. My new car has a repair record. That is what Bestbuy want to do for the customer. Geek Squad work for Bestbuy. right? You are not just loss one customer. You will loss more and more than the remote start alarm cost. Bestbuy will not know? How come just 200$ remote start alarm and the 50$ module. Bestbuy don't want to reimburse. I m not tell you to pay me 5 days for rental car. why don't just want a happy ending? Bestbuy is big company. I m very small. 250$ it cost Bestbuy nothing. You can't let the customer loss money because you. right?

  • Urgent: Why system allows the scrap confirmation more than PrdOrd Qty.

    Dear All,
    I am facing client sensitive problem regarding scrap confirmation at CO11N.
    As I am having Production Order of 15 qty & having 3 Operation.
    Now I have confirmed the first Operation with 15 qty as Yield.
    for second operation I confirmed 10 qty yield & 5 as scrap.
    for third operation system is allows me to confirmed the 15 qty as a yield.That's should not be allowed logically & practically as well.
    & system is allowing to confirmed 'N' no of qty of scrap.i.e more than Production order qty.
    Please give your valuble suggesting to clear this issue.
    & exact terminology behind the scrap confirmation.
    Your immediate reply is highly appreciated
    Thanks & Regards,
    Vijay Mankar

    Hi vijay,
    please try this
    Quantity Calculation for Milestone/Progress Confirmation
    Specifies that for milestone or progress confirmations, the quantities (yield, scrap) of automatically generated confirmations are calculated without taking into account the scrap percentage rate of each operation.
    If you do not set this indicator, then the planned scrap percentage rate of each operation is taken into account when calculating the confirmed total quantity. In the generated confirmations, the proportional scrap is added to the yield.
    If you set this indicator, then the automatic confirmations are posted with the same total quantities as the the milestone or progress confirmation. Scrap is posted as yield in the automatically generated confirmations.
    Example
    24 pieces of scrap are planned for an order of 124 pieces. The planned operation quantities are:
    Operation 10 124 pieces, 10% scrap (13 pieces)
    Operation 20 111 pieces, 5% scrap (6 pieces)
    Operation 30 105 pieces, 4% scrap (5 pieces)
    You enter a milestone confirmation for operation 30 with 48 pieces for the yield and 2 pieces of scrap. The quantities in the automatically generated confirmations are then calculated as follows:
    Indicator is not set
    Operation 10 59 pieces, 0 pieces scrap - automatic confirmation
    Operation 20 53 pieces, 0 pieces scrap - automatic confirmation
    Operation 30 48 pieces, 2 pieces scrap
    Indicator is set
    Operation 10 50 pieces, 0 scrap - automatic confirmation
    Operation 20 50 pieces, 0 scrap - automatic confirmation
    Operation 30 48 pieces, 2 pieces scrap
    Regards'
    Ramesh

  • Dont allow user to enter more than specified number of digits/chars?

    Hello
    First case: I have placed a TEXT field on the form. Now i want to put the below validation,
    1) User has to enter only numbers (no decimals)
    2) Only 10 digits
    If not i need to
    1) Alert app.alert
    2) Make the field either CLEARIng or considering & resetting only the first 10 digits (if user entered more than 10 digits)
    2nd case: Same as above, a TEXT field, but, the data is with a DECIMAL notation, the allowed lenghts are as
    2 digits as prefix to decimal
    2 digits as suffix to decimal position
    example, 35.88
    Pls. let me knw the Java Script for these 2 cases or do you suggest me PATTERN validation if so, can i CLEAR or reset  and if so, pls. let me know under which TAB(Display / Edit / Data) i need to put the PATTERN validation?

    Firstly if you are only allowing numbers then the field should be a numeric field not a text field. You can use patterns to allow only whole numbers or to have 2 digits on either side of the decimal.
    In regards to the number of digits you can use the len function to determine the length of the data and if it is too long give a message or clear it.

  • Business Catalyst will not allow me to add more than 11 items to Web Map? Is there any fix for this?

    Basically I cannot add more than 11 items on to a web app map. If I add more than 11 than the rest of the items appear of the coast of Africa for some reason. I am not sure why this happens but I was wondering if anyone else has had a similar problem and found a fix.

    Basically I cannot add more than 11 items on to a web app map. If I add more than 11 than the rest of the items appear of the coast of Africa for some reason. I am not sure why this happens but I was wondering if anyone else has had a similar problem and found a fix.

  • Why won't my Time Capsule allow me to connect more than one device to the network at a time?

    Ok here is the shortest story I can come up with...
    Several months ago lightening struck my house and ruined the power cord for my old AIR PORT EXTREME....after replacing the power cable my wireless network began to prohibit more than one device at a time to connect to the wireless network.
    I replaced that network with a new TIME CAPSULE and it is doing the same thing.  I took my old AirPort Extreme to my work and it works like a charm.  My ISP says it is an Apple problem but I have had the same settings both at home and at work.  Work is great, multiple devices connect but home is one at a time and in order to connect ANOTHER device I have to power down one, and reboot the router and fire up the device I wish to connect.
    Any suggestions?

    I am running off a Fiber line....the unit that is a battery back up and appears to be a modem as well is called CyberPower CS24U12V-NA3
    Techincally, there is no "router" in my house, there is a LOCKED control box outside, a battery back up module in the garage that shows battery life and connection, then a cat5 outlet in my laundry room..All of which was installed by my ISP.
    I am using a 2TB Time Capsule running DHCP in Bridge Mode.  I can't find the software version but updated it while installing it within the last two months.
    Under Network Tab
    Enable NAT Port mapping is checked
    Under the Wireless Tab
    we have a 5ghz Network
    Radio mode is set to:  802.11a/n-802.11b/g/n (Automatic)
    2.4 GHz is Auto
    5 Ghz is Auto
    I hope this helps....

  • ITunes will not allow me to authorize more than 5 computers.

    I'm getting this message ob my new iMac from iTunes. You cannot authorize more than 5 computers.
    You have already authorized this computer you must first deauthorize one of the computers. I did that with my old computer. did a clean install on other with Mac OS X. Anybody can help would be appreciated. Thank you for looking.

    If you go to your account under the Store menu in iTunes - you will have the option to deauthorize all machines (if you do have 5 authorized). I think you can only do this once a year. Then you need to authorize the machines you still use.
    A clean install does not do anything to the authorization, it's stored on your account at the iTunes store.

  • ORA-01427: single-row subquery returns more than one row HELP

    I need to update baemployee.Stock_nbr field with select substr(C.CHECK_DIGIT, 3, 10)
    from EMP_CHECK_DIG c where C.EMPLOYEE = e.EMPLOYEE
    Please help.
    update baemployee e
    set Stock_nbr = (select substr(C.CHECK_DIGIT, 3, 10)
    from EMP_CHECK_DIG c where C.EMPLOYEE = e.EMPLOYEE)
    where exists
    (select C.CHECK_DIGIT
    from EMP_CHECK_DIG c where C.EMPLOYEE = e.EMPLOYEE)
    and exists (select 1 from EMPLOYEE ee where ee.employee = e.employee and ee.emp_status like 'A%');
    ORA-01427: single-row subquery returns more than one row

    Hi,
    Welcome to the forum!
    Whenever you have a question, please post some sample data, so that people can re-create the problem and test their solutions.
    CREATE TABLE and INSERT statements, like the ones below, are great:
    CREATE TABLE      baemployee
    (     employee     NUMBER (4)
    ,     stock_nbr     VARCHAR2 (10)
    INSERT INTO baemployee (employee, stock_nbr) VALUES (1234, 'FUBAR');
    CREATE TABLE     employee
    (     employee     NUMBER (4)
    ,     emp_status     VARCHAR2 (10)
    INSERT INTO employee (employee, emp_status) VALUES (1234, 'ACTIVE');CREATE TABLE AS is good, too:
    CREATE TABLE     emp_check_dig
    AS          SELECT  1234 AS employee, 'AA1234567890ZZZ' AS check_digit     FROM dual
    UNION ALL     SELECT  1234,            'AA2121212121ZZZ'               FROM dual
    ;Also post the results you want from that data. In this case, the results would be the contents of the baemployee table after you run the UPDATE.
    Would you want:
    employee  stock_nbr
    1234       1234567890or would you want
    employee  stock_nbr
    1234       2121212121If you run the UPDATE statement you posted with the data above, you'll get the "ORA-01427: single-row subquery returns more than one row" error, and you can see what causes it: there is more than one row from emp_check_dig that could be used to UPDATE the same row of baemployee. Say what you want to do in this situation (and why), and someone will help you find a way to do it.

  • Getting Error - Single-row subquery returns more than 1 row (Help Needed)

    I have the following SQL. It selects several rows of data. This data reflects changed records. I want to update PS_UNI_TEXTBK_SKEW for the values selected. Any ideas. For updating I used:
    update ps_uni_textbk_skew s
    set (s.ssr_txbdtl_title, s.ssr_txbdtl_isbn, s.ubs_skew_num, s.process_date, s.ubs_rec_type) = (
    and then I included theselect listed below. (this selects does work). It always produces an error saying 'singl-row subjquery returns more than 1 row'.
    Any help would be appreciated. I've worked on this for a week now trying many different ways. Thanks, Mary
    SELECT NOW.SSR_TXBDTL_TITLE
    ,NOW.SSR_TXBDTL_ISBN
    ,0
    ,SUBSTR(SYSDATE,1,8)
    ,'C'
    FROM
    SELECT C.SUBJECT||C.CATALOG_NBR||C.CLASS_SECTION||C.STRM||B.SSR_TXBDTL_SEQNO AS TYINGKEEN
    ,C.CRSE_ID
    ,C.CRSE_OFFER_NBR
    ,C.STRM
    ,C.SUBJECT
    ,C.CATALOG_NBR
    ,C.CLASS_SECTION
    ,C.DESCR
    ,B.SSR_TXBDTL_SEQNO
    ,B.SSR_CRSEMAT_TYPE
    ,B.SSR_TXBDTL_STATUS
    ,B.SSR_TXBDTL_TITLE
    ,B.SSR_TXBDTL_ISBN
    ,B.SSR_TXBDTL_AUTHOR
    ,B.SSR_TXBDTL_PUBLISH
    ,B.SSR_TXBDTL_EDITION
    ,B.SSR_TXBDTL_PUBYEAR
    ,B.SSR_TXBDTL_NOTES
    FROM PS_CLASS_TBL C,
    PS_SSR_CLS_TXB_DTL B
    WHERE C.CRSE_ID = B.CRSE_ID
    AND C.CRSE_OFFER_NBR = B.CRSE_OFFER_NBR
    AND C.STRM = B.STRM
    AND C.CLASS_SECTION = B.CLASS_SECTION
    ) NOW,
    SELECT SUBJECT||CATALOG_NBR||CLASS_SECTION||STRM||SSR_TXBDTL_SEQNO AS TYINGKEEL
    ,CRSE_ID
    ,CRSE_OFFER_NBR
    ,STRM
    ,SUBJECT
    ,CATALOG_NBR
    ,CLASS_SECTION
    ,DESCR
    ,SSR_TXBDTL_SEQNO
    ,SSR_CRSEMAT_TYPE
    ,SSR_TXBDTL_STATUS
    ,SSR_TXBDTL_TITLE
    ,SSR_TXBDTL_ISBN
    ,SSR_TXBDTL_AUTHOR
    ,SSR_TXBDTL_PUBLISH
    ,SSR_TXBDTL_EDITION
    ,SSR_TXBDTL_PUBYEAR
    ,SSR_TXBDTL_NOTES
    FROM PS_UNI_TEXTBK_SKEW
    ) LAST
    WHERE NOW.TYINGKEEN = LAST.TYINGKEEL
    AND (NOW.SSR_TXBDTL_TITLE <> LAST.SSR_TXBDTL_TITLE
    OR NOW.SSR_TXBDTL_ISBN <> LAST.SSR_TXBDTL_ISBN
    OR NOW.SSR_TXBDTL_AUTHOR <> LAST.SSR_TXBDTL_AUTHOR
    OR NOW.SSR_TXBDTL_PUBLISH <> LAST.SSR_TXBDTL_PUBLISH
    OR NOW.SSR_TXBDTL_EDITION <> LAST.SSR_TXBDTL_EDITION
    OR NOW.SSR_TXBDTL_PUBYEAR <> LAST.SSR_TXBDTL_PUBYEAR
    OR NOW.SSR_TXBDTL_NOTES <> LAST.SSR_TXBDTL_NOTES
    OR NOW.SSR_TXBDTL_STATUS <> LAST.SSR_TXBDTL_STATUS
    OR NOW.SSR_CRSEMAT_TYPE <> LAST.SSR_CRSEMAT_TYPE
    OR NOW.DESCR <> LAST.DESCR);

    1. Take your subqueries
    2. Run those separately to see if they really can return more than one row. If needed modify the subquery by adding GROUP-BY and HAVING-COUNT>1 clauses to determien that.
    3. If you see more than one row coming up from subqueries then the error message you named will arise.
    This is what i would do.
    But in first look you don't have subqueries, you have "inline-views". so i don't understand how the eroor could occur.
    Edited by: CharlesRoos on 22.10.2010 16:38

  • More than one ipod - help

    Can more than one ipod device be managed from a single computer? More importantly, can separate music libraries be used? I want to keep my music separate from my child's music, for a number of reasons. Thank you all in advance for your help.

    I dont think you can make seperate libraries, but you can just make a seperate playlist for you and your child. When you want to add a song to either playlist, just click and drag from the main library.

  • COPA Profit is more than FI balance - Help needed

    Hi,
    I am doing reconciliation for FI-COPA. COPA profit is 34499.04 more than FI profit. I have executed Assessment cycle also. After that i am getting this difference. Sales revenue is matching with FI-COPA each other.
    How can i find out the problem for this differance? Kindly provide me some inputs to over come this issue..
    Thanks
    KB

    Hi,
    when reconciling Fi with CO check the following things:
    - Which FI accounts do not have a corresponding cost element? (e.g. cost of goods sold). Can you find the equivalent amount of cost in COPA? For example, if you get COGS to COPA from billing documents and the month of the billing document is not equal to the month of the movement of goods sold from stock costs are shown in a different month in COPA than in FI.
    - Are you using any COPA conditions (KE41 etc.) that are posted to COPA without a corresponding FI document?
    - As all FI postings with a cost element go to CO, in these cases you have to check if all the internal orders and cost centers have a balance of zero after settlement (= end up in COPA). Use standard reports to check this.
    - There could be a problem with the +/- signs in COPA. Depending on your customizing, costs from SD documents can have a negative sign in the COPA value field, while costs that are directly posted from FI have a positive sign. You have to keep that in mind when making the assignments to COPA value fields and when defining your reports in KE30.
    Nikolas

  • Router will not allow PC to filter more than once

    I've been using the Restrict Access MAC filtering for awhile.  For some reason, however, the router (BEFW11S4 v.4) will only allow a computer to edit the access list once.  After that access, clicking on the "Edit Access List" will yield no response, not even an error message.  This has been the case with two or three different Mac computers, a PC, and an iPod Touch.  Beyond resetting the router and reentering all the MAC addresses (of which I'm tiring), do you have any suggestions?  I can't find any other anecdotes or information on this problem.  We've had this router for several years; should it be replaced?  Thanks...
    Solved!
    Go to Solution.

    Yes, I've tried from PC and Macs, even from an iPod Touch– all the same result: one access per computer.  
    BUT...For some reason, today was the magic day.  Firmware updated.  I'm guessing that the previous firmware (from 2003) was the reason for my access problems. I have always had issues upgrading firmware in the past though.  
    I am very grateful for your help.  This has been bugging me for a long time.  
    Many thanks!

Maybe you are looking for

  • Photo albums-how do you make more than one?

    I was wondering if anybody knows how to make more than one photo albumon the iphone..like not just the photo roll thing I looked more than once on the site but just cant figuire it out!!! Do i like make them through itunes or something? Also, i have

  • List Component Select

    I've created a custom inline component to fit inside mx:List in my mxml. I'm using skinned button controls in the component, and therefore, want to turn off the selection color effects of the surrounding list control. Can anyone tell me how to do thi

  • Best Practices to Mass Delete Leads

    Hi Gurus Can you please guide on this - We need to mass delete Leads from the system. I can use Crm_Order_Delete FM. But want to know if there are any best practices to follow, or anything else that i should consider before deleting these transaction

  • Transfer Files From & To Local Side

    We are developing a document system using PL/SQL language, and we would like to transfer files between the client sides and the XML DB in the server side. Please provide me the appropriate code.

  • Safari doesn't work properly

    Safari doesn't work properly. See screenshots 0- what version 1 – Scaling doesn't work as it should and as it worked before 2 – inspector became unusefull in some manners and few weeks there is now way but use alternative browser to work BTW some con