题目链接:http://codeforces.com/contest/803/problem/A
You are given matrix with n rows and n columns filled with zeroes. You should put k ones in it in such a way that the resulting matrix is symmetrical with respect to the main diagonal (the diagonal that goes from the top left to the bottom right corner) and is lexicographically maximal.
One matrix is lexicographically greater than the other if the first different number in the first different row from the top in the first matrix is greater than the corresponding number in the second one.
If there exists no such matrix then output -1.
The first line consists of two numbers n and k (1 ≤ n ≤ 100, 0 ≤ k ≤ 106).
If the answer exists then output resulting matrix. Otherwise output -1.
2 1
1 0 0 0
3 2
1 0 0 0 1 0 0 0 0
2 5
-1
题面大意:给你一个n阶矩阵,初始化为0,然后让你填入k个1.要求填充之后的矩阵对称,并且从上到下,从左到右的字典序是最大的
思路:
#include<stdio.h>
#include<string.h>
#include<iostream>
#include<algorithm>
#define ll long long
using namespace std;
int g[105][105];
int main()
{
int n,k;
cin>>n>>k;
int cnt=1;
if(k>n*n)
cout<<-1<<endl;
else
{
for(int i=0;i<n;i++)
{
for(int j=i;j<n;j++)
{
if(cnt>k)
{
break;
}
else
{
if(i==j)
{
g[i][j]=1;
cnt++;
}
else
{
// cout<<cnt<<endl;
if(cnt+1<=k)
{
g[i][j]=1;
g[j][i]=1;
cnt+=2;
}
else
{
g[i+1][i+1]=1;
cnt++;
}
}
}
}
}
for(int i=0;i<n;i++)
{
for(int j=0;j<n;j++)
{
cout<<g[i][j]<<' ';
}
cout<<endl;
}
}
return 0;
}
本文解析了CodeForces竞赛中的一道A级题目:如何在一个n阶矩阵中填入k个1,使得矩阵对称且字典序最大。通过判断k与n²的关系并采用特定填充策略来解决该问题。
1317

被折叠的 条评论
为什么被折叠?



