Clipboard.SetText()
System.Windows.Forms.Clipboard.SetText(
"1,2,3,4\n5,6,7,8",
System.Windows.Forms.TextDataFormat.CommaSeparatedValue
);
Clipboard.SetData()
System.Windows.Forms.Clipboard.SetData(
System.Windows.Forms.DataFormats.CommaSeparatedValue,
"1,2,3,4\n5,6,7,8",
);
在这两种情况下,都会在剪贴板上放置一些内容,但是当粘贴到Excel中时,它会显示为一个garbarge文本单元格:“ - §žý; pC |yVk²û”
由于BFree的答案显示 SetText , TextDataFormat 用作解决方法
System.Windows.Forms.Clipboard.SetText(
"1\t2\t3\t4\n5\t6\t7\t8",
System.Windows.Forms.TextDataFormat.Text
);
我试过这个并确认现在粘贴到Excel和Word正常工作。在每种情况下,它都会粘贴为带有单元格而不是纯文本的表格。
仍然好奇为什么CommaSeparatedValue 不正在工作。
答案 0 :(得分:34)
.NET Framework将DataFormats.CommaSeparatedValue
作为Unicode文本放在剪贴板上。但正如http://www.syncfusion.com/faq/windowsforms/faq_c98c.aspx#q899q所述,Excel希望CSV数据是UTF-8内存流(很难说.NET或Excel是否因不兼容而出错)。
我在自己的应用程序中提出的解决方案是将两个版本的表格数据同时放在剪贴板上作为制表符分隔的文本和CSV内存流。这允许目标应用程序以其首选格式获取数据。记事本和Excel更喜欢制表符分隔文本,但您可以强制Excel通过“选择性粘贴...”命令获取CSV数据以进行测试。
下面是一些示例代码(请注意,此处使用了WPF名称空间中的WinForms等效代码):
// Generate both tab-delimited and CSV strings.
string tabbedText = //...
string csvText = //...
// Create the container object that will hold both versions of the data.
var dataObject = new System.Windows.DataObject();
// Add tab-delimited text to the container object as is.
dataObject.SetText(tabbedText);
// Convert the CSV text to a UTF-8 byte stream before adding it to the container object.
var bytes = System.Text.Encoding.UTF8.GetBytes(csvText);
var stream = new System.IO.MemoryStream(bytes);
dataObject.SetData(System.Windows.DataFormats.CommaSeparatedValue, stream);
// Copy the container object to the clipboard.
System.Windows.Clipboard.SetDataObject(dataObject, true);
答案 1 :(得分:6)
使用标签代替逗号。即:
Clipboard.SetText("1\t2\t3\t4\t3\t2\t3\t4", TextDataFormat.Text);
我自己测试了一下,它对我有用。
答案 2 :(得分:3)
我使用\ t(参见BFree的答案)作为列分隔符和\ n作为行分隔符,成功粘贴到Excel中。
答案 3 :(得分:0)
通过使用 CSV 库 (KBCsv) 将数据写入临时文件夹中的 CSV 文件,然后使用 Process.Start()
在 Excel 中打开它,我在解决格式问题方面取得了最大的成功。一旦它在 Excel 中,格式化位很容易(呃),从那里复制粘贴。
string filePath = System.IO.Path.GetTempPath() + Guid.NewGuid().ToString() + ".csv";
using (var streamWriter = new StreamWriter(filePath))
using (CsvWriter csvWriter = new CsvWriter(streamWriter))
{
// optional header
csvWriter.WriteRecord(new List<string>(){"Heading1", "Heading2", "YouGetTheIdea" });
csvWriter.ValueSeparator = ',';
foreach (var thing in YourListOfThings ?? new List<OfThings>())
{
if (thing != null)
{
List<string> csvLine = new List<string>
{
thing.Property1, thing.Property2, thing.YouGetTheIdea
};
csvWriter.WriteRecord(csvLine);
}
}
}
Process.Start(filePath);
BYO 错误处理和记录。