与众不同 windows phone (33) - Communication(通信)之源特定组播 SSM(Source Specific Multicast)
原文:与众不同 windows phone (33) - Communication(通信)之源特定组播 SSM(Source Specific Multicast)
作者:webabcd
介绍
与众不同 windows phone 7.5 (sdk 7.1) 之通信
- 实现“源特定多播” - SSM(Source Specific Multicast)
示例
1、服务端
Main.cs
/*
* 此服务会定时向指定的多播组发送消息,用于演示 SSM
*/ using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms; using System.Net;
using System.Net.Sockets; namespace SocketServerSSM
{
public partial class Main : Form
{
System.Threading.SynchronizationContext _syncContext; public Main()
{
InitializeComponent(); LaunchSocketUdp();
} private void LaunchSocketUdp()
{
_syncContext = System.Threading.SynchronizationContext.Current; // 定义 Source Specific Multicast 中的 Source,即 SSM 客户端仅接收此 Source 发送到多播组的数据
IPEndPoint sourcePoint = new IPEndPoint(IPAddress.Any, ); // 定义多播组
IPEndPoint multicastPoint = new IPEndPoint(IPAddress.Parse("224.0.1.2"), ); UdpClient sourceUdp = new UdpClient(sourcePoint);
ShowMessage("用于演示 SSM 的 Socket 服务已启动,每 3 秒向多播组发送一次信息"); // 每 3 秒向多播组发送一次信息
var timer = new System.Timers.Timer();
timer.Interval = 3000d;
timer.Elapsed += delegate
{
string msg = string.Format("{0} - {1}", Dns.GetHostName(), DateTime.Now.ToString("HH:mm:ss"));
byte[] data = Encoding.UTF8.GetBytes(msg); sourceUdp.Send(data, data.Length, multicastPoint);
};
timer.Start();
} public void ShowMessage(string msg)
{
txtMsg.Text += msg + "\r\n";
}
}
}
2、客户端
实现 SSM 信道
UdpSingleSourceMulticastChannel.cs
/*
* 实现一个 SSM 信道(即 SSM 帮助类),供外部调用
*
*
* 通过 UdpSingleSourceMulticastClient 实现 SSM(Source Specific Multicast),即“源特定多播”
* 多播组基于 IGMP(Internet Group Management Protocol),即“Internet组管理协议”
*
* UdpSingleSourceMulticastClient - 一个从单一源接收多播信息的客户端,即 SSM 客户端
* BeginJoinGroup(), EndJoinGroup() - 加入“源”的异步方法
* BeginReceiveFromSource(), EndReceiveFromSource() - 从“源”接收信息的异步方法
* BeginSendToSource(), EndSendToSource() - 发送信息到“源”的异步方法
* ReceiveBufferSize - 接收信息的缓冲区大小
* SendBufferSize - 发送信息的缓冲区大小
*/ using System;
using System.Net;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Documents;
using System.Windows.Ink;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Animation;
using System.Windows.Shapes; using System.Net.Sockets;
using System.Text; namespace Demo.Communication.SocketClient
{
public class UdpSingleSourceMulticastChannel : IDisposable
{
// SSM 客户端
private UdpSingleSourceMulticastClient _client; // “源”的地址
private IPAddress _sourceAddress; // 接收信息的缓冲区
private byte[] _buffer;
// 此客户端是否加入了多播组
private bool _isJoined; /// <summary>
/// 构造函数
/// </summary>
/// <param name="sourceAddress">SSM 的“源”的地址</param>
/// <param name="groupAddress">多播组的地址</param>
/// <param name="port">多播组的端口</param>
/// <param name="maxMessageSize">接收信息的缓冲区大小</param>
public UdpSingleSourceMulticastChannel(IPAddress sourceAddress, IPAddress groupAddress, int port, int maxMessageSize)
{
_sourceAddress = sourceAddress;
_buffer = new byte[maxMessageSize]; // 实例化 SSM 客户端,需要指定的参数为:“源”的地址;多播组的地址;多播组的端口
_client = new UdpSingleSourceMulticastClient(sourceAddress, groupAddress, port);
} // 收到多播信息后触发的事件
public event EventHandler<UdpPacketEventArgs> Received;
private void OnReceived(IPEndPoint source, byte[] data)
{
var handler = Received;
if (handler != null)
handler(this, new UdpPacketEventArgs(data, source));
} // 加入多播组后触发的事件
public event EventHandler Opening;
private void OnOpening()
{
var handler = Opening;
if (handler != null)
handler(this, EventArgs.Empty);
} // 断开多播组后触发的事件
public event EventHandler Closing;
private void OnClosing()
{
var handler = Closing;
if (handler != null)
handler(this, EventArgs.Empty);
} /// <summary>
/// 加入多播组
/// </summary>
public void Open()
{
if (!_isJoined)
{
_client.BeginJoinGroup(
result =>
{
_client.EndJoinGroup(result);
_isJoined = true;
Deployment.Current.Dispatcher.BeginInvoke(
() =>
{
OnOpening();
Receive();
});
}, null);
}
} /// <summary>
/// 发送信息到“源”
/// </summary>
public void Send(string msg)
{
if (_isJoined)
{
byte[] data = Encoding.UTF8.GetBytes(msg); // 需要指定“源”的端口
int sourcePort = ;
_client.BeginSendToSource(data, , data.Length, sourcePort,
result =>
{
_client.EndSendToSource(result);
}, null);
}
} /// <summary>
/// 接收从多播组发过来的信息,即“源”发送给多播组的信息
/// </summary>
private void Receive()
{
if (_isJoined)
{
Array.Clear(_buffer, , _buffer.Length); _client.BeginReceiveFromSource(_buffer, , _buffer.Length,
result =>
{
int sourcePort;
// 接收到多播信息后,可获取到“源”的端口
_client.EndReceiveFromSource(result, out sourcePort);
Deployment.Current.Dispatcher.BeginInvoke(
() =>
{
OnReceived(new IPEndPoint(_sourceAddress, sourcePort), _buffer);
Receive();
});
}, null);
}
} // 关闭 SSM 信道
public void Close()
{
_isJoined = false;
OnClosing();
Dispose();
} public void Dispose()
{
if (_client != null)
_client.Dispose();
}
}
}
演示 SSM
SourceSpecificMulticast.xaml
<phone:PhoneApplicationPage
x:Class="Demo.Communication.SocketClient.SourceSpecificMulticast"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:phone="clr-namespace:Microsoft.Phone.Controls;assembly=Microsoft.Phone"
xmlns:shell="clr-namespace:Microsoft.Phone.Shell;assembly=Microsoft.Phone"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
FontFamily="{StaticResource PhoneFontFamilyNormal}"
FontSize="{StaticResource PhoneFontSizeNormal}"
Foreground="{StaticResource PhoneForegroundBrush}"
SupportedOrientations="Portrait" Orientation="Portrait"
mc:Ignorable="d" d:DesignHeight="768" d:DesignWidth="480"
shell:SystemTray.IsVisible="True"> <Grid x:Name="LayoutRoot" Background="Transparent">
<StackPanel HorizontalAlignment="Left"> <ListBox Name="lstAllMsg" MaxHeight="400" /> </StackPanel>
</Grid> </phone:PhoneApplicationPage>
SourceSpecificMulticast.xaml.cs
/*
* 用于演示 SSM
*/ using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Documents;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Animation;
using System.Windows.Shapes;
using Microsoft.Phone.Controls; using System.Windows.Navigation; namespace Demo.Communication.SocketClient
{
public partial class SourceSpecificMulticast : PhoneApplicationPage
{
// 实例化自定义的 SSM 信道
private UdpSingleSourceMulticastChannel _channel; public SourceSpecificMulticast()
{
InitializeComponent();
} protected override void OnNavigatedTo(NavigationEventArgs e)
{
// 多播组地址是必须介于 224.0.0.0 到 239.255.255.255 之间的 IP 地址,其中范围介于 224.0.0.0 到 224.0.0.255 之间的多播地址是保留多播地址
// 比如:224.0.0.0 是基址,224.0.0.1 是代表同一个物理网络中所有系统的多播组地址,而 224.0.0.2 代表同一个物理网络中的所有路由器
_channel = new UdpSingleSourceMulticastChannel(IPAddress.Parse("192.168.8.217"), IPAddress.Parse("224.0.1.2"), , );
_channel.Opening += new EventHandler(_channel_Opening);
_channel.Received += new EventHandler<UdpPacketEventArgs>(_channel_Received);
_channel.Closing += new EventHandler(_channel_Closing); _channel.Open(); // 需要的使用,应该调用 Close()
// _channel.Close();
} void _channel_Opening(object sender, EventArgs e)
{
lstAllMsg.Items.Insert(, "已经连上多播组,等待来自多播组的消息");
} void _channel_Received(object sender, UdpPacketEventArgs e)
{
// 因为已经指定了接收信息的缓冲区大小是 2048 ,所以如果信息不够 2048 个字节的的话,空白处均为空字节“\0”
string message = string.Format("{0} - 来自:{1}", e.Message.TrimEnd('\0'), e.Source.ToString());
lstAllMsg.Items.Insert(, message);
} void _channel_Closing(object sender, EventArgs e)
{
lstAllMsg.Items.Insert(, "已经断开多播组");
}
}
}
OK
[源码下载]
与众不同 windows phone (33) - Communication(通信)之源特定组播 SSM(Source Specific Multicast)的更多相关文章
- 源特定组播(SSM:Source Specific Multicast)
源特定组播(SSM:Source Specific Multicast)是一种区别于传统组播的新的业务模型,它使用组播组地址和组播源地址同时来标识一个组播会话,而不是向传统的组播服务那样只使用组播组地 ...
- 与众不同 windows phone (32) - Communication(通信)之任意源组播 ASM(Any Source Multicast)
原文:与众不同 windows phone (32) - Communication(通信)之任意源组播 ASM(Any Source Multicast) [索引页][源码下载] 与众不同 wind ...
- 与众不同 windows phone (31) - Communication(通信)之基于 Socket UDP 开发一个多人聊天室
原文:与众不同 windows phone (31) - Communication(通信)之基于 Socket UDP 开发一个多人聊天室 [索引页][源码下载] 与众不同 windows phon ...
- 与众不同 windows phone (30) - Communication(通信)之基于 Socket TCP 开发一个多人聊天室
原文:与众不同 windows phone (30) - Communication(通信)之基于 Socket TCP 开发一个多人聊天室 [索引页][源码下载] 与众不同 windows phon ...
- 与众不同 windows phone (29) - Communication(通信)之与 OData 服务通信
原文:与众不同 windows phone (29) - Communication(通信)之与 OData 服务通信 [索引页][源码下载] 与众不同 windows phone (29) - Co ...
- 与众不同 windows phone (46) - 8.0 通信: Socket, 其它
[源码下载] 与众不同 windows phone (46) - 8.0 通信: Socket, 其它 作者:webabcd 介绍与众不同 windows phone 8.0 之 通信 Socket ...
- 与众不同 windows phone 8.0 & 8.1 系列文章索引
[源码下载] [与众不同 windows phone 7.5 (sdk 7.1) 系列文章索引] 与众不同 windows phone 8.0 & 8.1 系列文章索引 作者:webabcd ...
- 为应用程序池“XX”提供服务的进程在与 Windows Process Activation Service 通信时出现严重错误
场景 WCF应用程序部署在IIS7中,使用net.tcp协议对外给几百台客户端提供服务,应用程序池不断崩溃重启. 分析过程 在事件查看器中看到的错误信息类似于 为应用程序池“XX”提供服务的进程在与 ...
- 背水一战 Windows 10 (33) - 控件(选择类): ListBox, RadioButton, CheckBox, ToggleSwitch
[源码下载] 背水一战 Windows 10 (33) - 控件(选择类): ListBox, RadioButton, CheckBox, ToggleSwitch 作者:webabcd 介绍背水一 ...
随机推荐
- 输入输出函数 I/O函数之perror()
perror()函数的函数原型 void perror(char const *message); 它会将message信息输出出来,后面再加上错误原因字符串. 下面是来自百度百科的实例: #incl ...
- Qt信号槽的一些事(第一次知道信号还有返回值,以及Qt::UniqueConnection)
注:此文是站在Qt5的角度说的,对于Qt4部分是不适用的. 1.先说Qt信号槽的几种连接方式和执行方式. 1)Qt信号槽给出了五种连接方式: Qt::AutoConnection 0 自动连接:默认的 ...
- Android Activity 常用功能设置(全屏、横竖屏等)
Activity全屏设置 方式1:AndroidManifest.xml <activity android:name="myAcitivty" android:theme ...
- perl 传递对象到模块
perl 中的对象 就是引用 通过new方法传递数据结构给各个模块 [root@wx03 test]# cat x1.pm package x1; use Data::Dumper; sub new ...
- windows 下mysql的安装于使用(启动、关闭)
1.下载Windows (x86, 64-bit), ZIP Archive解压: 2.双击在bin目录里的mysqld.exe dos窗体一闪就没了,这时netstat -an发现port3306已 ...
- window批处理-3.go
go: 控制批处理中的命令运行流程 命令格式: go label lable--行号 demo bat @echo off echo 跳过中间.运行最后 goto last type a.txt :l ...
- Android 代码混淆
什么是代码混淆 Java 是一种跨平台的.解释型语言,Java 源代码编译成中间”字节码”存储于 class 文件中.由于跨平台的需要,Java 字节码中包括了很多源代码信息,如变量名.方法名,并且通 ...
- android的JNI标准 android的NDK
转载的! Java Native Interface (JNI)标准是java平台的一部分,它允许Java代码和其他语言写的代码进行交互.JNI 是本地编程接口,它使得在 Java 虚拟机 (VM) ...
- NHibernate -- HQL
使用NHibernate中的HQL来查询数据. 代码: /// <summary> /// 查找事件 /// </summary> private void btn_Selec ...
- WCF技术剖析之十七:消息(Message)详解(下篇)
原文:WCF技术剖析之十七:消息(Message)详解(下篇) [爱心链接:拯救一个25岁身患急性白血病的女孩[内有苏州电视台经济频道<天天山海经>为此录制的节目视频(苏州话)]]< ...