Errors in visual studio webpage code (Trying to connect the website to a database)

I am trying to create a website on (visual studio) and connect it to database(Microsoft sql server 2014) first I am learning from a video on youtube the tutorial is about a coffee website and database
I have a few errors but I dont know where is the problem
the errors in this page(Coffee.aspx.cs)
Error    1    Make sure that the class defined in this code file matches the 'inherits' attribute, and that it extends the correct base class (e.g. Page or UserControl).    C:\Users\Ziyad 1\Documents\Visual Studio
2013\WebSites\MyWebsite\Pages\Coffee.aspx.cs    7    33    MyWebsite
Error    4    'ASP.pages_coffee_aspx.ProcessRequest(System.Web.HttpContext)': no suitable method found to override    c:\Users\Ziyad 1\AppData\Local\Temp\Temporary ASP.NET Files\root\e78a0b4c\be391a08\App_Web_k4b10ys2.0.cs  
 572    
Error    3    'ASP.pages_coffee_aspx.GetTypeHashCode()': no suitable method found to override    c:\Users\Ziyad 1\AppData\Local\Temp\Temporary ASP.NET Files\root\e78a0b4c\be391a08\App_Web_k4b10ys2.0.cs  
 567    
Error    5    'ASP.pages_coffee_aspx' does not implement interface member 'System.Web.IHttpHandler.IsReusable'    c:\Users\Ziyad 1\AppData\Local\Temp\Temporary ASP.NET Files\root\e78a0b4c\be391a08\App_Web_k4b10ys2.0.cs  
 185    
and here is the page (Coffee.aspx.cs) code
using System;
using System.Collections;
using System.Text;
namespace Pages
public partial class Pages_Coffee : System.Web.UI.Page
protected void Page_Load(object sender, EventArgs e)
FillPage();
private void FillPage()
ArrayList coffeeList = ConnectionClass.GetCoffeeByType(DropDownList1.SelectedValue);
StringBuilder sb = new StringBuilder();
foreach (Coffee coffee in coffeeList)
sb.Append(
string.Format(
@"<table class='coffeeTable'>
<tr>
<th rowspan='6' width='150px'><img runat='server' src='{6}' /></th>
<th width='50px'>Name: </td>
<td>{0}</td>
</tr>
<tr>
<th>Type: </th>
<td>{1}</td>
</tr>
<tr>
<th>Price: </th>
<td>{2} $</td>
</tr>
<tr>
<th>Roast: </th>
<td>{3}</td>
</tr>
<tr>
<th>Origin: </th>
<td>{4}</td>
</tr>
<tr>
<td colspan='2'>{5}</td>
</tr>
</table>", coffee.Name, coffee.Type, coffee.Price, coffee.Roast, coffee.Country, coffee.Review, coffee.Image));
lblOuput.Text = sb.ToString();
protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e)
FillPage();
also tis is the page (Coffee.aspx)code
<%@ Page Title="" Language="C#" MasterPageFile="~/Masterpage.master" AutoEventWireup="true" CodeFile="Coffee.aspx.cs" Inherits="Coffee" %>
<script runat="server">
protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e)
</script>
<asp:Content ID="Content1" ContentPlaceHolderID="ContentPlaceHolder1" Runat="Server">
<p>
Select a type:<asp:DropDownList ID="DropDownList1" runat="server" AutoPostBack="True" DataSourceID="sds_type" DataTextField="type" DataValueField="type" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged">
</asp:DropDownList>
<asp:SqlDataSource ID="sds_type" runat="server" ConnectionString="<%$ ConnectionStrings:CoffeeDBConnectionString %>" SelectCommand="SELECT DISTINCT [type] FROM [coffee] ORDER BY [type]"></asp:SqlDataSource>
</p>
<p>
<asp:Label ID="lblOutput" runat="server" Text="Label"></asp:Label>
</p>
</asp:Content>
this is th (ConnectionClass.cs)code
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Collections;
using System.Configuration;
using System.Data.SqlClient;
public static class ConnectionClass
private static SqlConnection conn;
private static SqlCommand command;
static ConnectionClass()
string connectionString =
ConfigurationManager.ConnectionStrings["coffeeConnection"].ToString();
conn = new SqlConnection(connectionString);
command = new SqlCommand("", conn);
public static ArrayList GetCoffeeByType(string coffeeType)
ArrayList list = new ArrayList();
string query = string.Format("SELECT * FROM coffee WHERE type LIKE '{0}'", coffeeType);
try
conn.Open();
command.CommandText = query;
SqlDataReader reader = command.ExecuteReader();
while (reader.Read())
int id = reader.GetInt32(0);
string name = reader.GetString(1);
string type = reader.GetString(2);
double price = reader.GetDouble(3);
string roast = reader.GetString(4);
string country = reader.GetString(5);
string image = reader.GetString(6);
string review = reader.GetString(7);
Coffee coffee = new Coffee(id, name, type, price, roast, country, image, review);
list.Add(coffee);
finally
conn.Close();
return list;
(web.confg)code
<?xml version="1.0"?>
<configuration>
<appSettings/>
<connectionStrings>
<clear/>
<add name="coffeeConnection"
connectionString="Data Source=LOCALHOST\SQLEXPRESS;Initial Catalog=CoffeeDB;Integrated Security=True"
providerName="System.Data.SqlClient"/>
</connectionStrings>
<system.web>
<compilation debug="true" targetFramework="4.0">
<assemblies>
<add assembly="System.Web.Extensions.Design, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31BF3856AD364E35"/>
<add assembly="System.Design, Version=4.0.0.0, Culture=neutral, PublicKeyToken=B03F5F7F11D50A3A"/>
<add assembly="System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=B77A5C561934E089"/>
</assemblies>
</compilation>
<authentication mode="Windows"/>
</system.web>
</configuration>
and finally this is the SQL code
GO
CREATE TABLE [dbo].[coffee](
[id] [int] IDENTITY(1,1) NOT NULL,
[name] [varchar](50) NOT NULL,
[type] [varchar](50) NOT NULL,
[price] [float] NOT NULL,
[roast] [varchar](50) NOT NULL,
[country] [varchar](50) NOT NULL,
[image] [varchar](255) NULL,
[review] [text] NOT NULL,
PRIMARY KEY CLUSTERED
[id] ASC
)WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY] TEXTIMAGE_ON [PRIMARY]
GO
SET ANSI_PADDING OFF
GO
SET IDENTITY_INSERT [dbo].[coffee] ON
INSERT [dbo].[coffee] ([id], [name], [type], [price], [roast], [country], [image], [review]) VALUES (1, N'Café au Lait', N'Classic', 2.25, N'Medium', N'France', N'../Images/Coffee/Cafe-Au-Lait.jpg', N'A coffee beverage consisting strong or bold coffee (sometimes espresso) mixed with scalded milk in approximately a 1:1 ratio.')
INSERT [dbo].[coffee] ([id], [name], [type], [price], [roast], [country], [image], [review]) VALUES (2, N'Caffè Americano', N'Espresso', 2.25, N'Medium', N'Italy', N'../Images/coffee/caffe_americano.jpg', N'Similar in strength and taste to American-style brewed coffee, there are subtle differences achieved by pulling a fresh shot of espresso for the beverage base.')
INSERT [dbo].[coffee] ([id], [name], [type], [price], [roast], [country], [image], [review]) VALUES (3, N'Peppermint White Chocolate Mocha', N'Espresso', 3.25, N'Medium', N'Italy', N'../Images/coffee/white-chocolate-peppermint-mocha.jpg', N'Espresso with white chocolate and peppermint flavored syrups.
Topped with sweetened whipped cream and dark chocolate curls.')
INSERT [dbo].[coffee] ([id], [name], [type], [price], [roast], [country], [image], [review]) VALUES (4, N'Irish Coffee', N'Alcoholic', 2.25, N'Dark', N'Ireland', N'../Images/coffee/irish coffee.jpg', N'A cocktail consisting of hot coffee, Irish whiskey, and sugar, stirred, and topped with thick cream. The coffee is drunk through the cream.')
SET IDENTITY_INSERT [dbo].[coffee] OFF
I am still a beginner ~~ I need to understand what are these errors and how to solve them

Hello,
Welcome to MSDN forum.
I am afraid that the issue is out of support range of VS General Question forum which mainly discusses
the usage of Visual Studio IDE such as WPF & SL designer, Visual Studio Guidance Automation Toolkit, Developer Documentation and Help System
and Visual Studio Editor.
Because your issue is about website, I suggest that you can consult your issue on ASP.NET forum:
http://forums.asp.net/
 for better solution and support.
Best regards,
We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
Click
HERE to participate the survey.

Similar Messages

  • Error Opening Visual Studio 2013 Please Help?

    Hi, I just installed the program "Microsoft Visual Studio Ultimate 2013", I installed it using the on screen instructions successfully, it asked
    me to restart the computer, I did and was very excited to use the software but when i opened it said that "An error occurred while starting for the first time. Please restart Microsoft Visual Studio." , I restarted the program and still the same
    error occurs, I restarted the computer still did not work, I re installed the software like 10 times (no extradition), I tried to press the repair button still did not work after repair, I installed the update patch and still did not fix, I restarted my internet
    and still did not work, i called Microsoft support team and no response (too expensive to call again) and still nothing worked.
    I know that there is other versions available for this software such as professional but I am willing to purchase this product after it installs correctly
    as this has all the features I really need... Please help 
    My computer specifications: 
    Operating system; Windows 7 SP1 x64 Bit 
    RAM: 4GB 
    HDD: 70GB (Allocated Partition) 
    Processor: Intel Core I5 3.40 GHz 
    I tired to be detailed as i can please i really need help urgently ASAP. 
    Thanks 
    Full Error Log can be found here; 
    (Image)
    http://s23.postimg.org/vdt7hcw1n/fulldebugerror.png
    Milan

    Hi,
    And from the log message you offered, you get the following error message:
    Unable to cast COM object of type 'System._ComObject' to interface type 'Microsoft.VisualStudio.Shell.Interop.IVsProfileDataManager'
    The
    IVsProfileDataManager provides access to the profile manager and to programmatic control of settings. The error message turns out that you get a broken registration for IVsProfileDataManager.
    Do you get any error message during the Visual Studio installation? You can use the
    collect.exe tool to collect VS installation logs and upload the vslogs.cab file in the %temp% folder to the SkyDrive, then post back the link. 
    Thanks.
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Reader 9 error in Visual Studio App

    I am getting an error in Visual Studio when a pdf document opened in the IE WebBrowser.  The error is the common memory error: "Instruction at "0x00000x000" referenced memory... "
    The error only happens in with Windows XP (not Vista) with Reader 9.  It worked fine from Reader 6-8.  Since Reader 9, whenever I close the application with the X, not File/Exit mind you, I get the aforementioned application error.
    Has anyone come across this?  I am amazed that I cannot find much on this as it happens whenever you close IE with a PDF in any app.
    Any ideas of how to deal with this other than just migrating back to Reader 8?
    Thanks,
    Gage

    Yes, I have the exact same issue. I have submitted a bug to Adobe and downgrading to Reader 8 until this issue is fixed.
    Igor

  • Not able to install Logic on mac with OSX.  10.8.2. Error message: Logic Studio.mpkg cannot be opened as the power pc programs are no longer supported. I have logic studio 8 software purchased in 2007 and upgraded with logic studio 9 (purchased in 2009)

    After an earlier attempt to move Logic from my other mac (OSX 10.6.8) with the migration assistant to my new mac with OSX 10.8.2. I've re-started the whole start up process by erasing the hard drive from the new machine and build it up from scratch. After a new "out of the box" start, I decided to install LOGIC from my disks : starting with my 2007 package Logic Studio 8 and upgrading with my Logic 9 package from 2009. When trying to start to install 2008 I got the error message : Logic Studio.mpkg cannot be opened as the power pc programs are no longer supported.
    What does this mean? HOw do I get this working under 10.8.2 as it works flawlessly under OSX 10.6.8. For sure I didn't buy a new machine to have OSX 10.8.2 but I suspect this is the roadblock to installing my logic package.
    Help!

    Mark,
    Sorry...
    I completely lost the thread (I actually got confused between you and another poster on a another forum that was asking the same basic question) and somehow ended up thinking you were trying to install on a PPC Mac
    My apologies and please ingnore those parts of my last post relating to the PPC Macs...
    You have an Intel Mac and therefore Logic Studio 2 Boxed Upgrade set should install/run on your Mac without issue. As I said earlier.. you do not need to try and install from the original Logic Studio 1 /Logic 8 Boxed set...(It won't work anyhow because you have an Intel Mac and that version had a PPC installer)  but just install from the Logic Studio 2 / Logic Pro 9 Upgrade Boxed setof DVDs instead...
    Have you tried the "Make Disk Image" solution I gave earlier? That normnally works under such circumstances as what you are describing can happen when your DVD drive cannot read the DVDs correctly... I have had this situation myself where one drive read them okay and another failed to do so for whatever reason. Making and then installing from Disk images of those exact same disks resolved the issue for me...
    You can try to reinstall directly from the DVDs of course though under some circumstances it may not allow you to reinstall Logic Pro itself if that part of the original installation attempt was successful... in which case you can also try this... (It's probably the easiest method if Logic 9 was already installed and present in your Apps Folder)
    If the Logic Pro App is in your applications folder..
    Run Software Updates to update Logic Pro to a version that will run under 10.8.2 (The initially installed version of Logic will not)
    Run Logic
    Go to the menu bar in Logic and select Logic Pro/Install Additional Content and select all content in there..
    This content is basically exactly the same as what is stored on the remaining DVDs of the boxed set so you might not need to use the rest of the DVDs to install from but download it all instead from Apple Servers...

  • Error thrown while trying to connect the remote data base

    Hello,
    I am trying to connect the database(orcale 7) which is in the remote machine using Microsoft JDBC driver. But the following errors are thrown. If any one know how to solve this, pl let me throw some lite on this.
    Errir message as/./.......................
    java.sql.SQLException: [Microsoft][ODBC driver for Oracle][Oracle]ORA-12505: TNS:listener could not resolve SID given in connect descriptor
    at sun.jdbc.odbc.JdbcOdbc.createSQLException(JdbcOdbc.java:4089)
    at sun.jdbc.odbc.JdbcOdbc.standardError(JdbcOdbc.java:4246)
    at sun.jdbc.odbc.JdbcOdbc.SQLDriverConnect(JdbcOdbc.java:1136)
    at sun.jdbc.odbc.JdbcOdbcConnection.initialize(JdbcOdbcConnection.java:148)
    at sun.jdbc.odbc.JdbcOdbcDriver.connect(JdbcOdbcDriver.java:167)
    at java.sql.DriverManager.getConnection(DriverManager.java:457)
    at java.sql.DriverManager.getConnection(DriverManager.java:159)
    at lucasCustomization.processmgmt.helper.EISConnector.getConnectEIS(EISConnector.java:24)
    at wt.workflow.expr.WfExpression2570849.execute_ROBOT_EXPRESSION_(WfExpression2570849.java:27)
    at java.lang.reflect.Method.invoke(Native Method)
    at wt.workflow.definer.WfExpression.executeTransition(WfExpression.java, Compiled Code)
    at wt.workflow.definer.WfExpression.execute(WfExpression.java, Compiled Code)
    at wt.workflow.robots.WfExpressionRobot.run(WfExpressionRobot.java, Compiled Code)
    at wt.workflow.engine.StandardWfEngineService.runRobot(StandardWfEngineService.java, Compiled Code)
    at java.lang.reflect.Method.invoke(Native Method)
    at wt.queue.QueueEntry.execute(QueueEntry.java, Compiled Code)
    at wt.queue.ProcessingQueue.execEntry(ProcessingQueue.java, Compiled Code)
    at wt.queue.ProcessingQueue.execEntries(ProcessingQueue.java, Compiled Code)
    at wt.queue.PollingQueueThread.run(PollingQueueThread.java, Compiled Code)
    error..>java.sql.SQLException: [Microsoft][ODBC driver for Oracle][Oracle]ORA-12505: TNS:listener could not resolve SID given in connect descriptor
    ########################error ends...###############
    And also i added i code for your reference
    import java.util.*;
    import java.sql.*;
    public class EISConnector
    public static String getConnectEIS() throws Exception
    try
    Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    System.out.println("Connection3 :");
    Connection con1=DriverManager.getConnection("jdbc:odbc:eiscon","scott","tiger");
    System.out.println("statement2");
    PreparedStatement stmt1=con1.prepareStatement("insert into tryout(toolnumber,toolname) values(?,?)");
    stmt1.setString(1,doc.getNumber());
    stmt1.setString(2,doc.getName());
    System.out.println("st");
    int i=stmt1.executeUpdate();
    System.out.println("i :"+i);
    System.out.println("End");
    con1.close();
    catch(Exception e)
    e.printStackTrace();
    System.out.println("error..>"+e);
    return new String("End of Connection");
    }

    http://otn.oracle.com/tech/java/sqlj_jdbc/htdocs/jdbc_faq.htm#_59_
    The thin drivers are classes12.zip/classes111.zip. classes12.zip being the most recent release. You can download it from
    http://otn.oracle.com/software/tech/java/sqlj_jdbc/htdocs/winsoft.html
    (the general download site is http://otn.oracle.com/software/tech/java/sqlj_jdbc/content.html )
    Jamie

  • I keep getting this error in Dreamweaver when I am trying to upload my website?  Can you tell me what I am doing wrong?  here is the error message: /html - error occurred - Unable to create remote folder /html.  Access denied.  The file may not exist, or

    I keep getting this error in Dreamweaver when I am trying to upload my website?  Can you tell me what I am doing wrong?  here is the error message: /html - error occurred - Unable to create remote folder /html.  Access denied.  The file may not exist, or there could be a permission problem.   Make sure you have proper authorization on the server and the server is properly configured.  File activity incomplete. 1 file(s) or folder(s) were not completed.  Files with errors: 1 /html

    Nobody can tell you anything without knowing exact site and server specs, but I would suspect that naming the folder "html" wasn't the brightest of ideas, since that's usually a default (invisible) folder name existing somewhere on the server and the user not having privileges to overwrite it.
    Mylenium

  • I keep getting an error message that says "The administrator has set policies to prevent this installation" when I try to install iTunes.  I have tried everything on the website.

    I keep getting an error message that says "The administrator has set policies to prevent this installation" when I try to install iTunes.  I have tried everything on the website.  When i try to remove the components of iTunes I get the same message.  How can I download iTunes?

    Let's try something relatively simple. Download and save a copy of the installer to your hard drive (don't run the install on line and don't start the install just yet):
    http://www.apple.com/itunes/download/
    Now right-click on the iTunesSetup.exe (or iTunes64Setup.exe) that you downloaded and select "Run as administrator".
    Does that go through any better for you?

  • ITunes Match has stopped uploading - every file errors and says waiting - I have tried to delete the files and use other formats etc.  I have had the service since Day 1 and NEVER had an issue.  It didn't start until the Delete from Cloud switch to Hide

    iTunes Match has stopped uploading - every file errors and says waiting - I have tried to delete the files and use other formats etc.  I have had the service since Day 1 and NEVER had an issue.  It didn't start until the Delete from Cloud switch to Hide from cloud - the files that do not upload show grayed out on my other devices.

    Have you confirmed that you successfull purged iTunes Match by also looking on an iOS device?  If so, keep in mind that Apple's servers may be experiencing a heavy load right now.  They just added about 19 countries to the service and I've read a few accounts this morning that suggests all's not running perfectly right now.

  • When i try to download 'Get album artwork' I receive error alert with (-609) I have tried to download the artwork on the advanced tab, but still no success. My computer runs Windows 7 and the alert appears in my itunes which on my computer.Can you assist?

    When i try to download 'Get album artwork' I receive error alert with (-609) I have tried to download the artwork on the advanced tab, but still no success. My computer runs Windows 7 and the alert appears in my itunes which on my computer.Can you assist?

    Perhaps try the "Error -609" section in the Specific Conditions and Alert Messages: (Mac OS X / Windows) section of the following document:
    iTunes: Advanced iTunes Store troubleshooting

  • Everytime I get to the end of the software update for OS X 10.8.2 it says an error has occured and then restarts the download. I have also tried downloading from the website link provided in some other comments but it says image unmountable please help

    Everytime I get to the end of the software update for OS X 10.8.2 it says an error has occured and then restarts the download. I have also tried downloading from the website link provided in some other comments but it says image unmountable please help

    Perform a Permissions Repair using Disc Utility...
    Verify or Repair Disk Permissions
    Then Restart your Mac.
    Next...
    Go here  >  http://support.apple.com/kb/DL1581 and Download and Install the Combo Update.
    After a Successful Install be sure to Restart your computer.

  • Show "iCloud encountered an error while trying to connect the server", How to solve? Thanks

    Show "iCloud encountered an error while trying to connect the server", How to solve? Thanks

    Smae issue here.
    Started today June 20, any ideas?

  • SQL Server Import Export Wizard fails while trying to retrieve the data from FastObjects Database

    When trying to import data from FastObjects database to SQL Server 2008 R2 using import/ export wizard we get the following error message :
    "Column information for the source and the destination data could not be retrieved, or the data types of source columns were not mapped correctly to those available on the destination provider."
    Clicked on View button, the source data is retrieved correctly.
    Clicked on Edit Mapping button, the Import Export Wizard failed with the below error message:
    ===================================
    Column information for the source and destination data could not be retrieved.
    "Test" -> [dbo].[Test]:
    - Cannot find column -1.
    (SQL Server Import and Export Wizard)
    ===================================
    Cannot find column -1. (System.Data) 
    at System.Data.DataColumnCollection.get_Item(Int32 index) at System.Data.DataRow.get_Item(Int32 columnIndex) at Microsoft.DataTransformationServices.Controls.ProviderInfos.MetadataLoader.LoadColumnsFromTable(IDbConnection myConnection, String[] strRestrictions)
    at Microsoft.SqlServer.Dts.DtsWizard.OLEDBHelpers.LoadColumnsFromTable(MetadataLoader metadataLoader, IDbConnection myConnection, String[] strRestrictions, DataSourceInfo dsi)at Microsoft.SqlServer.Dts.DtsWizard.TransformInfo.PopulateDbSourceColumnInfoFromDB(IDbConnection
    mySourceConnection) at Microsoft.SqlServer.Dts.DtsWizard.TransformInfo.PopulateDbSourceColumnInfo(IDbConnection mySourceConnection, ColumnInfoCollection& sourceColInfos)

    Hi Chennie,
    Thank you for the post.
    Does the issue persists after you use the "Write a query to specify the data to transfer" option instead of “Copy data from one or more tables or views” option? If so, the issue may occur due to incorrect data type matching between the FastObjects database
    data types and SSIS data types. In this condition, I don’t think it is necessary to upgrade the SQL Server version. Since you can open the Column Mappings dialog box, please try to modify the data type mapping manually.
    In addition, the issue seems to be the same as the issue described in the following blog:
    http://blogs.msdn.com/b/dataaccesstechnologies/archive/2010/09/09/sql-server-import-export-wizard-fails-while-trying-to-retrieve-the-data-from-pervasive-database.aspx 
    Regards,
    Mike Yin
    TechNet Community Support

  • I am trying to connect the scanner of a new MF8580 to my iMAC

    I am trying to connect the scanner of a new MF8580 to my iMac. The printer works fine and the iMac does recognize the scanner, but they fail to connect. I downloaded the MF Toolbox from the Canon site, but it does not work because the scanner and computer do not connect. When I try to scan, the message on the display is also that I should connect the scanner to the computer. But how?
    I hope someone can help to resolve this issue!

    Hi Freddie!
    In order to eprovide you with the proper steps, please let everyone know what version OS you are running on your machine. That way, the community will be able to assist you with a workflow appropriate for your computer.
    Thanks!

  • I built website with muse on trial and loaded to business catalyst site. I purchased Muse yesterday and trying to transfer the website from business catalyst to my own domain name hosted elsewhere. can anyone please help with instructions?

    I built a website on Adobe Muse trial and loaded it onto business catalyst site. I purchased Muse yesterday & trying to transfer the website over to my own domain that is hosted elsewhere. I cant find good on-line instructions. Can anyone please help? I need to get this sit live ASAP for promotion campaign.

    Hi
    You would need to delete the domain from existing site and then add to your BC site.
    Please refer here for more details :
    https://forums.adobe.com/message/6365328#6365328
    Thanks,
    Sanjit

  • Trying to connect the CRM 7.0 and ECC 6.0 (RFC ?)

    Hello Gurus,
    I am trying to connect the CRM 7.0 server to ECC 6.0 server. Can anybody please give me a step by step procedure for this please. Thanks in advance.
    Phani KV

    Hi Phani,
    I assume that you do not want to actually use a direct RFC but the CRM Middleware. In order to do this you find lots of helpful information in the best practices, there the basic building blocks. Best practices you can download from the service market place. Alternatively you could google http://www.google.com/search?q=crmconnectivitybestpracticesite%3Asap.com

Maybe you are looking for