Hunter Warfield Collection Help

Hi All. I need a bit of advice with a Hunter Warfield collection that was just reported on my wife's TU and EQ reports this week. Back in January, she received a letter from HW for a $2100 debt from a rental community we vacated last year. The debt was for a utility bill. When the letter was received, we responded with an intent to pay installments to settle the debt in 7 payments of $300 monthly. We received no response from HW. I followed up with 2 more letters and several phone calls and got nowhere with HW. Today, we discovered that HW reported the debt as a collection with an additional $384 tacked on. What should we do at this time? We received no responses to our letters and our calls fell on deaf ears.  

Did you send any of your requests certified return receipt? I know HW well and don't care for them. If you have proof of your requests, I would file a complaint with the BBB listing a detailed summary of your requests (dates letters sent and phone calls made). Is it possible that they did not respond to calls since they were made by you versus your wife? Review their BBB complaints and you'll find many who have experienced similar events. There have been times when the results of the complaints were removal of the collection on the credit report. Good luck to you as this CA is notorious for their poor relations with customers.

Similar Messages

  • LR2 lost all Collections - help please

    I've been working with the upgraded LR2 for a couple of days. Today I was working with Smart Collections, somehow managed to generate an error message (can't remember the wording, sorry), and now I have lost all Collections, both those that were brought across from LR1 and the new ones created today in LR2. The Collections tab is completely empty.
    Restarted LR2 and tried to generate a new Smart Collection, with a title the same as that created before the error. LR2 tells me that the specified name is already in use, so I presume the Collections are on my hard drive somewhere. I'm just searching now for .lrsmcoll
    Is it possible to import previously created Collections, and if so how? I backed up the catalogue this morning - hopefully that has saved me a lot of work :)
    Many thanks for any help
    Mike

    Update: My problem seems to have been self-caused. About the same time I started using LR2 I bought a new hard drive and moved all my pictures to it using a somewhat different directory structure. I was able to "teach" LR2 the new locations but the information in the collections was not updated. I still have the original drive and structure and if that's on-line, the collections work fine. I have found no-way to update the collections as to the new locations. Is there a way?

  • Plsql Collections help

    Database table has two columns category and products.
    Table: catalog
    category products
    fruit apple
    vegetable carrot
    soda pepsi
    vegetable potato
    fruit grapes
    fruit orange
    vegetable cabbage
    soda coke
    i need to read the records from table catalog and store them in some sort of plsql collection. I then have to read from that collection and write output as follows:
    Note: the categories and products should be sorted alphabetically in output.
    OUTPUT
    fruit apple, grapes, orange
    soda coke, pepsi
    vegetable cabbage, carrot, potato
    please help me as how this can be done?
    Thanks
    G

    Without collections:
    SQL> DECLARE
      2      CURSOR c
      3        IS
      4          WITH t AS (
      5                     SELECT 'fruit' category,'apple' product FROM dual UNION ALL
      6                     SELECT 'vegetable','carrot' FROM dual UNION ALL
      7                     SELECT 'soda','pepsi' FROM dual UNION ALL
      8                     SELECT 'vegetable','potato' FROM dual UNION ALL
      9                     SELECT 'fruit','grapes' FROM dual UNION ALL
    10                     SELECT 'fruit','orange' FROM dual UNION ALL
    11                     SELECT 'vegetable','cabbage' FROM dual UNION ALL
    12                     SELECT 'soda','coke' FROM dual
    13                    )
    14          SELECT  category,
    15                  ltrim(sys_connect_by_path(product,', '),', ') product_list
    16            FROM  (
    17                   SELECT  category,
    18                           product,
    19                           row_number() over(partition by category order by product) rn
    20                     FROM  t
    21                  )
    22            WHERE connect_by_isleaf = 1
    23            START WITH rn = 1
    24            CONNECT BY category = PRIOR category
    25                   AND rn = PRIOR rn + 1
    26            ORDER BY category;
    27  BEGIN
    28      FOR v_rec IN c LOOP
    29        DBMS_OUTPUT.PUT_LINE(rpad(v_rec.category,10) || v_rec.product_list);
    30      END LOOP;
    31  END;
    32  /
    fruit     apple, grapes, orange
    soda      coke, pepsi
    vegetable cabbage, carrot, potato
    PL/SQL procedure successfully completed.
    SQL> And in plain SQL:
    SQL> COLUMN PRODUCT_LIST FORMAT A50
    SQL> WITH t AS (
      2             SELECT 'fruit' category,'apple' product FROM dual UNION ALL
      3             SELECT 'vegetable','carrot' FROM dual UNION ALL
      4             SELECT 'soda','pepsi' FROM dual UNION ALL
      5             SELECT 'vegetable','potato' FROM dual UNION ALL
      6             SELECT 'fruit','grapes' FROM dual UNION ALL
      7             SELECT 'fruit','orange' FROM dual UNION ALL
      8             SELECT 'vegetable','cabbage' FROM dual UNION ALL
      9             SELECT 'soda','coke' FROM dual
    10            )
    11  SELECT  category,
    12          ltrim(sys_connect_by_path(product,', '),', ') product_list
    13    FROM  (
    14           SELECT  category,
    15                   product,
    16                   row_number() over(partition by category order by product) rn
    17             FROM  t
    18          )
    19    WHERE connect_by_isleaf = 1
    20    START WITH rn = 1
    21    CONNECT BY category = PRIOR category
    22           AND rn = PRIOR rn + 1
    23    ORDER BY category
    24  /
    CATEGORY  PRODUCT_LIST
    fruit     apple, grapes, orange
    soda      coke, pepsi
    vegetable cabbage, carrot, potato
    SQL> SY.

  • Garbage Collection Help

    My understanding of garbage collection is that resources utilized by an object are released when no reference to the object exist. I accomplish this by ensuring that all references to an unneeded object are null.
    My question/concern is this. If I have an object "A" that has references to other objects "B", "C", and "D", will the all objects be elibible for garbage collection when the reference to object A is set to null? I suspect that objects "B", "C", and "D" persist until the virtual machine is terminated.
    Is the practice of creating a method within a class to make all inner objects eligible for garbage collection prior to setting the object reference to null. (i.e. set objects "B", "C", and "D" to null prior to setting "A" to null).
    Maybe I am just paranoid??

    My understanding of garbage collection is that
    resources utilized by an object are released when no
    reference to the object existThat's not correct. Objects can have references that point to them and still be garbage collected. For example:
    Vector v = new Vector();
    v.add(new Object());
    v = null;
    After this code is executed, the Vector object has a reference to the "new Object()" created. However, the Vector itself is not reachable, and therefore the "new Object()" is unreachable, and therefore both are collected.
    The garbage collector collects unreachable objects.
    I accomplish this by
    ensuring that all references to an unneeded object are
    null.It is quite rare that setting a reference to null is needed to make an object unreachable. Don't do it -- it makes your code slower, less readable, and harder to modify.
    My question/concern is this. If I have an object "A"
    that has references to other objects "B", "C", and
    "D", will the all objects be elibible for garbage
    collection when the reference to object A is set to
    null? I suspect that objects "B", "C", and "D"
    persist until the virtual machine is terminated.Yes -- all will be collected when A becomes unreachable. As noted earlier, you shouldn't need to set any reference to null for this to happen.
    Is the practice of creating a method within a class to
    make all inner objects eligible for garbage collection
    prior to setting the object reference to null. (i.e.
    set objects "B", "C", and "D" to null prior to setting
    "A" to null).
    Maybe I am just paranoid??Yes. Just let the garbage collector do its job and collect unreachable objects. You should almost never need to write any code to "help" the garbage collector.

  • Adobe Creative Suite Master Collection Help

    Hey all,
    This is the problem. Basically, my brother finished University last year. He moves out and takes all his stuff with him. A year passes and now it's my time for the great adventure. I have chosen to follow in his path and take Motion Graphics and Cinematography.
    I recently hand built a computer from scratch. He gave me his old Adobe Creative Suite 5.5 Master Collection which is the Student and Teacher edition. He has completely uninstalled and removed all serial codes on his machine. Can I simply now install it on my machine and just apply for a student code via the way I was told (email support)?
    Let me know, would save me a quite a bit of money and I can start learning early.
    Thanks.

    Although Adobe offers a license transfer process, it only applies to the current version which is CS6.
    So I suspect it will not apply to CS5.5.
    Have you tried installing the software and entering the serial number he received?

  • Collection help

    I have a timecard application where I use a header and some collection regions to capture employee data. I have the header working just fine as well as the first collection region, but I can't seem to get the second collection region to update properly. It keeps coming up with a no data found error.
    Processes: On Load: create_or_truncate collection, pre-populate with 3 rows.
    (region display) uses APEX_ITEM and explicitly numbered cells.
    On Submit (Before Computations) - this throws the error
    declare
    cnt NUMBER;
    k pls_integer := 0;
    begin
    select count(seq_id) into cnt from APEX_COLLECTIONS
    where collection_name = 'TC_OTHR_DTL';
    for c2 in (
    select seq_id from APEX_COLLECTIONS
    where collection_name = 'TC_OTHR_DTL'
    order by seq_id) loop
    k := k+1;
    --PAY_CODE
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>3,p_attr_value=>wwv_flow.g_f30(k));
    --JOB_CODE
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>4,p_attr_value=>wwv_flow.g_f31(k));
    --TASK_HOURS
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>5,p_attr_value=>wwv_flow.g_f32(k));
    --LOCATION
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>6,p_attr_value=>wwv_flow.g_f33(k));
    --Comments
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>7,p_attr_value=>wwv_flow.g_f34(k));
    --Job Start Time
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>8,p_attr_value=>wwv_flow.g_f35(k));
    --Job End Time
    apex_collection.update_member_attribute (p_collection_name=> 'TC_OTHR_DTL',
    p_seq=> c2.seq_id,p_attr_number =>9,p_attr_value=>wwv_flow.g_f36(k));
    end loop;
    exception
    when no_data_found then
    apex_application.g_print_success_message := 'Error: ' || cnt || ' records found!';
    when others then
    apex_application.g_print_success_message := 'Unexpected Error';
    end;
    On Submit (After Validations) : Write records to DB.
    Before putting in the error handling, I would just get 01403: No Data Found. After putting in the exception handling, it will process the first row (I see the results on a debug screen that shows all rows from APEX_COLLECTIONS) then die with 'Error: 3 records found.'
    The processes handling the other three collection regions are nearly identical and all function fine. Any ideas?

    The logic was separated into different processes for debugging/development and because it makes sense. For brevity sake, I didn't include all the code, but here is a more detailed overview of what is going on.
    1. I pre-populate several items in the collections based on login information. This includes the ability to pre-load commonly used work items in the collections. The goal is to make data entry as fast as possible given that a clerk can have >200 timecards to process in a day. I didn't mention it, but there is a button on each collection region that adds a row to the collection in case they need more rows than in the default population.
    2. There are different collections because each collection revolves around a given type of work and each type of work has different processing rules requiring different pieces of information. The old application had about 12 columns of which only 3-4 were used on a given row and I was trying to eliminate that. In the old application (based on a flat-file DB), every row was processed based on the data with no thought to separation based on purpose. We separated the data into four tables so we could apply uniform rules based on business process to every row in the table rather than have to create an incredibly complex catch-all processing procedure.
    3. You are correct in that ultimately, I am inserting rows into a table. The only detailed/documented examples I could find for processing collections involved looping through the records.
    4. Nothing actually exists as database records until all the data has been collected. This is to allow page validations to enforce the business rules on each line in each collection, as well as the header. I write the header into one table, and the detail lines in up to 4 more tables depending on whether or not there is any data to record. I tried to enforce many of these with select lists, but this idea was overridden. As a result, all fields are simple text fields.
    5. I have to control the update processes; though I pre-populate many of the records, the data-entry may not require the use of that record. I don't want to store records that aren't useful, so I weed them out as I process the DB write. An MRU is not that flexible.
    6. Most of my code is an adaptation of other collection-handling code I have seen in examples. Any looping, sorting, etc. that was done there was duplicated in my code because it worked. You may advocate other methods, but if so, I need detailed documentation (line-by-line) that explains how it works. I can't look at a piece of code and automatically know how each piece works and why. I wasn't gifted with that ability, so I hope you will forgive me if I stress the need for comments and documentation.
    Of the things I could understand from your example, it appears that one can update each member in a collection row at once without making multiple calls to update_member_attribute. I wasn't aware of that but will allow me to simplify my code tremendously. Thanks.
    The question still remains, however, why I am getting an error message saying that no records exist yet returns 3 rows.

  • Smart Collection Help

    Do you know why my smart collection is not working?   There are 10 videos in this collection.

    I'm not quite sure what you are trying to achieve but it seems to me that you are trying to describe your smart collection by setting parameters for the collection itself. That doesn't work.
    When you describe the parameters for a collection you have to think of the parameters that should be pulled into the collection.
    So, for instance, you want all images that you took at Christmas in a smart collection.
    You then have to find a parameter that exists already independent of the collection and would pull all images into this collection. These parameters can be keywords, file names folder names, etc.
    For instance you tag all images taken at Christmas with the keyword "X-mas". Then you would specify the smart collection  as "Keyword - contains - X-mas".
    Or you put all images taken at Christmas into a specific folder and the folder name is "X-mas", then you would specify your smart collection with "Folder - contains words - X-mas".
    Or you could say "capture date - is in the last - 1 month.
    And, naturally, you can specify more than one parameter.

  • Bulk collect help

    Hi All,
    I have executed below block in 11g environment.. But getting no results.. My cursor has more than 100 rows.
    Can anybody let me know why this is not giving any records.. also is is not giving eny error too.
    declare
    cursor test_cur is
    select  d.rp_id,d.date_sent dss,w.date_sent mer
      from dw_retl_prds d, web_prds@nrstp w
    where d.rp_id = w.rp_rp_id
       and ((d.date_sent <> w.date_sent) or
           (d.date_sent is null and w.date_sent is not null));
      type c1_type is table of test_cur%rowtype;
      rec1 c1_type;
    begin
    open test_cur;
    loop
    fetch test_cur bulk collect into rec1 limit 10;
    exit when rec1.count = 10;
           for i in 1 .. rec1.count
            loop
            dbms_output.put_line(rec1(i).rp_id);
            end loop;
    end loop;
    end;

    >
    Can anybody let me know why this is not giving any records
    >
    The standard way to exit the loop is to use 'exit when c%notfound' at the end of the loop where 'c' is the cursor name
    so use this instead of your code.
    loop
    fetch test_cur bulk collect into rec1 limit 10;
           for i in 1 .. rec1.count
            loop
            dbms_output.put_line(rec1(i).rp_id);
            end loop;
    exit when test_cur%notfound;
    end loop;See my response Posted: Jan 26, 2012 9:12 AM in response to: Roger at
    Re: bulk collect into with limit
    declare
          type array is table of number index by binary_integer;
          l_data array;
          cursor c is select empno from emp;
      begin
          open c;
          loop
              fetch c bulk collect into l_data limit 14;
              if ( c%notfound )
              then
                  dbms_output.put_line
                  ( 'Cursor returned NOT FOUND but array has ' || l_data.count
                     || ' left to process' );
              else
                  dbms_output.put_line
                  ( 'We have ' || l_data.count
                     || ' to process' );
              end if;
              exit when c%notfound;
          end loop;
          close c;
      end;

  • Music Collection Help! MX Pro 2004

    Does anyone know the best way to play mp3's? loading sound
    only swf's, the older way, or via an xml file(which I'm currently
    using but can't seem to figure out the code to make each song
    selectable). My player itself is on the main fla file(which starts
    after the loader and intro, then the xml code is in the first frame
    above that. All the pages are externally loading swf's and one of
    the has play buttons that I need to coordidante/associate with the
    player as well.
    I need to have a song start in the intro and be continuous
    until another is selected from a different page.
    I hope I'm being clear here....sorry if it's confusing.
    I'm -really- stuck........anyone???
    Thanks Alot!
    Wendy

    One problem is that iTunes for Mac can't handle WMA files, iTunes for Windows will convert them, but not iTunes for Mac. When you add unprotected WMA files to your iTunes library (Windows only), iTunes converts them to new files that iTunes can play, based on your import settings. See if you can use your friend's PC to do this.  If the borrowed PC has iTunes, create an alternate iTunes library so you don't mess up your friend's library.  This explains how:  http://support.apple.com/kb/HT1589
    This support document might be helpful:  iTunes: About the Add to Library, Import, and Convert functions, http://support.apple.com/kb/ht1347

  • UIX DataControl : Nested Collection Help Please

    Hello all,
    I am developing an app using the ff. evironment:
    IDE: JDeveloper 9052
    UI: ADF UIX
    Core: EJB
    1. I have a Session Bean that returns a collection of a POJO containing 2 POJOs and a collection of another POJO.
    2. I created a DataControl for the Session bean, set the bean class (in the XML datacontrol) as well as the Collection type for the other property. ?I am wondering how to set the bean property for the collection elements?.
    3. I then dragged the return for each of the POJOs and collection contained in the collection onto my UIX page as a read-only table. The return values for POJOs in the collection were rendered but the return values for the nested collection is not, I can only see a table with empty rows and columns .
    This is the collection class:
    public class NestedCollection {
    public nestedCollection(){
    private Pojo1 pojo1;
    private Pojo2 pojo2;
    private Collection nestedOne;
    //...accessor methods
    What is the workaround for this?

    Found it. I did not recompile. gee

  • SharePoint 2013 "Help Menu" not working (Sorry, the page you're looking for can't be found)

    The Built in SharePoint 2013 Help Menu (?) on our Enterprise Farm for both the sites and Central
    Admin does not work.
    On Central Admin help the error comes back as: "Sorry, the page you're looking for can't be found".
    The site collections Help menu gets the error :
    "Unfortunately, help seems to be broken...
    There aren't any help collections in the current language for the site you're using."
    We have installed on all servers in the farm:
    December 9, 2014 Cumulative Update for SharePoint Server 2013 package (build 15.0.4675.1000)
    as well as the latest SharePoint update KB2768001 1/15/2013.
    I have checked:
    Get-SPHelpCollection
    Title                                                                                              
    Name
    SharePoint Help                                                                                    
    WSSEndUser.1033.15
    SharePoint Foundation 2010                                                                         
    WSSEndUser.1033.12
    Central Administration Help                                                                        
    WSSCentralAdmin.1033.15
    SharePoint Server 2010                                                                             
    OSSEndUser.1033.12
    SharePoint Help                                                                                    
    OSSEndUser.1033.15
    SharePoint Foundation 2010 Central Administration                                                  
    WSSCentralAdmin.1033.12
    Teacher Help                                                                                       
    EDUTEACHER.1033.15
    Central Administration Help                                                                        
    OSSCentralAdmin.1033.15
    Student Help                                                                                       
    EDUSTUDENT.1033.15
    SharePoint Server 2010 Central Administration                                                      
    OSSCentralAdmin.1033.12
    PerformancePoint Dashboard Designer 2010 Help and How-to                                           
    DashboardDesigner.1033.12
    The URL for the site collections is https://servername...../_layouts/15/help.aspx?Lcid=1033&Key=HelpHome&ShowNav=true
    We are only using Default English (US) language packs.
    In the directory of
    Directory of C:\Program Files\Common Files\microsoft shared\Web Server Extensions\15\HCCab\1033
    there are cab files.
    There are no pending upgrades on any SharePoint or SQL server, all other SharePoint components are working
    normally.
    Any ideas or suggestions?
    Thanks.
    John
        

    I'm interested in getting the local help to work while this is offline, I saw the following in an article, did you do this and it still does not work for you?
    "However the help won’t show up in
    SharePoint 2013 sites. You need to change the Help Collection item property SharePoint
    Version to15 to
    make it work."

  • Creating a web service for F4 help

    Hi All,
    I want to create a web service that I can consume using JavaScript and thus can integrate with normal HTML web site. I want to achieve this by two ways
    Pass table name and field name to the service and it will return the default search help
    In some cases search helps are collective search helps and they have search criteria to filter data
    How can I tackle with the 2nd point. First one looks straight. Pass table-field and the system will pick default DDIC search help and return values in table. However in case of collective help, I need to cater for the search parameters and I am not aware of any FM that will allow me to do  it.
    Any help appreciated .
    Regards
    Abhi

    Hi Marcin and everyone,
    Thanks for the precious explanations.
    I created a client and I have an exception.
    1) I made a portal service from wsdl - client side.
    2) I created a DynPage.
    3) Here is the code :
    IMyBAPI4Service client = (IMyBAPI4Service) PortalRuntime.getRuntimeResources().getService(
    IMyBAPI4Service.KEY);
    IMyBAPI4Service securedClient = (IMyBAPI4Service) client.getSecurisedServiceConnection(                 request.getUser());
    //this is null.
    if (securedClient.getURLEndPoint().getURL() == null) {      
    securedClient.setURLEndPoint(new URLEndpoint("http://<server>:<port>/irj/servlet/prt/soap/com.sap.portal.prt.soap.MyBAPI4Service?style=doc_lit"));
    Bapi_Companycode_Getdetail_Input importParams =     new Bapi_Companycode_Getdetail_Input();
    importParams.setCompanycodeid("0500");
    Bapi_Companycode_Getdetail_Output exportParams = null;
    securedClient.execute_BAPI_COMPANYCODE_GETDETAIL(importParams);                         
    Do I have to use a secured client ? What is it ?
    The exception is :
    Problem at execution: SOAP Fault Error (java.lang.NoClassDefFoundError) : java.lang.NoClassDefFoundError
    Thanks Marcin....
    Message was edited by: David Fryda

  • How to fix non-working CS6 product Help menus

    I had been running the CS6 Master Collection trial download version.  I could not access the "Online Help" and "Support Center" choices in the main Help menu on any of the CS6 applications.  The options were not working, able to connect, or gave errors because the Help folder did not exist or was corrupted.
    If you have this problem, you don't need to uninstall and reinstall your product or the suite. The problem is corrupt or missing help files.
    This is what I'm running: Windows 7 Pro 64-bit
    Adobe Support provided this solution for both desktop and netbook.
    Close all running Adobe applications.
    In the Windows directory C:/Program Files (x86)/Adobe/, delete the "Adobe Help" folder.
    (C:Program Files (x86)/Adobe/Adobe Help/).
    Reboot.
    Go to the Adobe Community Help center at http://www.adobe.com/support/chc/ to get the latest Adobe Help Manager.
    On the left side of Hep Center, skip Step 1 and click the "Install Now" button in Step 2.
    Choose to save "AdobeHelp.air" in the application or programs folder on your computer.
    When the new Adobe Help Manager app opens, choose "General Settings."
    Select "No" for "Display Local Help content only settings" so you can access both online and local help.
    At the bottom of the settings window, click "Download" to download all the latest PDF and lcoal content. The downloaded folders are more than 1 GB for the CS6 Master Suite help files. Watch at the bottom left of the download window to see the small progress meter.
    Once done, reboot.
    My CS6 Master Collection help menus throughout were fixed.
    Thanks Tom! ...at Adobe Support for this fix procedure.
    I hope this helps someone else out there.

    This is not working for me. I follow the instructions to the T and still I have the exact same problem - no offline help is available. When I open the Help Manager and it shows that the help files are current and I click one and then ask to open the PDF, I get nothing happening at all.
    If I click in Help Manager to see offline help only, hitting F1 in AE does nothing. If I allow Help Manager to view both offline and online help and hit F1, no problem; as long as I'm online!
    There was another fix listed to resolve this issue that did nothing too. For some time it was just wait until June, well the PDF files are available but Help Manager has become Frustration Inducer.
    Where to now?

  • Community subsite in publishing site collection

    hi ,
     i  wanted to have a discussion forum within my publishing site collection. is this possible ? when i went to a create a community subsite in the  publishing, it was not available.
    or
     instead can i use discussion board? as per my requirement customer wanted to have a discussion forum experience withinmy publishing site.
    so i thought of creating a community subsite as this is a  new feature and replaced the old discussion board.
    pls help me to decide which one would be best, if community subsite , how to create a  community subsite within a publishing site collection.
    help is appreciated!

    hi,
    pls refer this post:
    http://social.technet.microsoft.com/Forums/sharepoint/en-US/fbf05f86-a324-4740-9045-d7b56ae980d0/how-to-enable-team-site-under-publishing-site?forum=sharepointadmin
    site settings--> look and feel -->page layputs and site templates-->select the Community Site (All) or
    Team Site(All)
    click on OK.
    now you would be able to create community/team sub site as per your needs.
    HTH
    PrasadWT

  • The Google Collection (old NIK software) no longer works.

    All of a sudden I can't use Google (old NIK collection apps) in photoshop CS6, CC, CC2014, or Lightroom 5. Anyone else with this issue?

    The Google Collection can update itself silently without user interaction what could be an answer. (failed updates etc.)
    But according to the releasenotes: Release Notes - Nik Collection Help no updates have been released this year.
    Can you un- and then reinstall?

Maybe you are looking for

  • Use of ORDER BY along with SRW.SET_MAXROW

    Hello, If there is an ORDER BY clause in the query of the data model in Reports 6i and SRW.SET_MAXROW is used in the Before Report Trigger to restrict the number of records being fetched as per an parameter value (entered by the user) - Does the rest

  • How to install Personal Java Into Pocket PC? (IMPT)

    I download pjavawince.sh3.cap from http://java.sun.com/products/personaljava/ and download pjavawince.sh3.cap into My Pocket PC (HP jornada) SH3. When I double click the file in my Pocket PC it give me an error message "Setup Failed" The applciation

  • IMovie 11:  When I click Preferences no tabs appear

    Usining iMovie 11, 10.0.1, on iMac. When I click the iMovie menu button, then Preferences, all I see is two check box options: (1) Clips and (2) Theater. There is also a link to learn more about the Cloud. I see NO tabs. All instructions I have seen

  • Problems installing Cluster 3.3.2-SPARC

    Attempting to install Solaris Cluster 3.3.2-SPARC on an Ultrasparc T5140 w/ Firmware 7.2.10.a and running Solaris 10 (sunOS 5.10 Generic_147147-26 sun4v sparc cd /cdrom/cdrom0/Solaris_sparc/ ./installer "The installer you have invoked can run only in

  • RSA5 question?

    Hi all, --Can someone please tell me why I not need to setup in RSA5 when I load CO-PA data from R/3 to BW? Is it because I don't use extractors to load data like Logistic data? --When do I need to setup RSA5 to load data? When don't I need to setup